├── .github ├── FUNDING.yml └── ISSUE_TEMPLATE │ ├── bug_report.md │ ├── config.yml │ └── feature_request.md ├── .gitignore ├── .gitmodules ├── .vscode ├── bookmarks.json ├── launch.json ├── settings.json └── tasks.json ├── .vscodeignore ├── CHANGELOG.md ├── LICENSE.md ├── README.md ├── images ├── bookmark-activity-bar.svg ├── bookmark.png ├── bookmark.svg ├── bookmarks-list-from-all-files-multi-root.gif ├── bookmarks-list-from-all-files.gif ├── bookmarks-select-lines.gif ├── document-dark.svg ├── document-light.svg ├── expand-all-dark.svg ├── expand-all-light.svg ├── icon.png ├── printscreen-activity-bar-multi-root.png ├── printscreen-activity-bar.png ├── printscreen-list-from-all-files.png ├── printscreen-toggle.png └── vscode-bookmarks-logo-readme.png ├── l10n ├── bundle.l10n.es.json ├── bundle.l10n.fr.json ├── bundle.l10n.hi.json ├── bundle.l10n.json ├── bundle.l10n.pl.json ├── bundle.l10n.pt-br.json ├── bundle.l10n.ru.json ├── bundle.l10n.tr.json └── bundle.l10n.zh-cn.json ├── package-lock.json ├── package.json ├── package.nls.es.json ├── package.nls.fr.json ├── package.nls.hi.json ├── package.nls.json ├── package.nls.pl.json ├── package.nls.pt-br.json ├── package.nls.ru.json ├── package.nls.tr.json ├── package.nls.zh-cn.json ├── src ├── commands │ ├── openSettings.ts │ ├── supportBookmarks.ts │ └── walkthrough.ts ├── extension.ts ├── gutter │ ├── commands.ts │ └── editorLineNumberContext.ts ├── sidebar │ └── helpAndFeedbackView.ts └── whats-new │ ├── commands.ts │ └── contentProvider.ts ├── tsconfig.json ├── walkthrough ├── customizedBookmark.png ├── customizingAppearance.md ├── customizingAppearance.nls.es.md ├── customizingAppearance.nls.fr.md ├── customizingAppearance.nls.hi.md ├── customizingAppearance.nls.pl.md ├── customizingAppearance.nls.pt-br.md ├── customizingAppearance.nls.tr.md ├── customizingAppearance.nls.zh-cn.md ├── defineLabelsForYourBookmarks.md ├── defineLabelsForYourBookmarks.nls.es.md ├── defineLabelsForYourBookmarks.nls.fr.md ├── defineLabelsForYourBookmarks.nls.hi.md ├── defineLabelsForYourBookmarks.nls.pl.md ├── defineLabelsForYourBookmarks.nls.pt-br.md ├── defineLabelsForYourBookmarks.nls.tr.md ├── defineLabelsForYourBookmarks.nls.zh-cn.md ├── exclusiveSideBar.md ├── exclusiveSideBar.nls.es.md ├── exclusiveSideBar.nls.fr.md ├── exclusiveSideBar.nls.hi.md ├── exclusiveSideBar.nls.pl.md ├── exclusiveSideBar.nls.pt-br.md ├── exclusiveSideBar.nls.tr.md ├── exclusiveSideBar.nls.zh-cn.md ├── navigateToBookmarks.md ├── navigateToBookmarks.nls.es.md ├── navigateToBookmarks.nls.fr.md ├── navigateToBookmarks.nls.hi.md ├── navigateToBookmarks.nls.pl.md ├── navigateToBookmarks.nls.pt-br.md ├── navigateToBookmarks.nls.tr.md ├── navigateToBookmarks.nls.zh-cn.md ├── toggle.md ├── toggle.nls.es.md ├── toggle.nls.fr.md ├── toggle.nls.hi.md ├── toggle.nls.pl.md ├── toggle.nls.pt-br.md ├── toggle.nls.tr.md ├── toggle.nls.zh-cn.md ├── workingWithRemotes.md ├── workingWithRemotes.nls.es.md ├── workingWithRemotes.nls.fr.md ├── workingWithRemotes.nls.hi.md ├── workingWithRemotes.nls.pl.md ├── workingWithRemotes.nls.pt-br.md ├── workingWithRemotes.nls.tr.md └── workingWithRemotes.nls.zh-cn.md └── webpack.config.js /.github/FUNDING.yml: -------------------------------------------------------------------------------- 1 | github: alefragnani 2 | patreon: alefragnani 3 | custom: https://www.paypal.com/cgi-bin/webscr?cmd=_donations&business=EP57F3B6FXKTU&lc=US&item_name=Alessandro%20Fragnani&item_number=vscode%20extensions¤cy_code=USD&bn=PP%2dDonationsBF%3abtn_donate_SM%2egif%3aNonHosted 4 | -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/bug_report.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Bug report 3 | about: Create a report to help Bookmarks improve 4 | title: "[BUG] - " 5 | labels: bug 6 | assignees: '' 7 | 8 | --- 9 | 10 | 11 | 12 | 13 | **Environment/version** 14 | 15 | - Extension version: 16 | - VSCode version: 17 | - OS version: 18 | 19 | **Steps to reproduce** 20 | 21 | 1. 22 | 2. 23 | -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/config.yml: -------------------------------------------------------------------------------- 1 | blank_issues_enabled: false 2 | contact_links: 3 | - name: Question 4 | url: https://github.com/alefragnani/vscode-bookmarks/discussions?discussions_q=category%3AQ%26A 5 | about: Ask a question about Bookmarks -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/feature_request.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Feature request 3 | about: Suggest an idea for Bookmarks 4 | title: "[FEATURE] - " 5 | labels: enhancement 6 | assignees: '' 7 | 8 | --- 9 | 10 | 11 | 12 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | out 2 | node_modules 3 | .vscode-test/ 4 | *.vsix 5 | dist 6 | issues -------------------------------------------------------------------------------- /.gitmodules: -------------------------------------------------------------------------------- 1 | [submodule "vscode-whats-new"] 2 | path = vscode-whats-new 3 | url = https://github.com/alefragnani/vscode-whats-new.git 4 | [submodule "vscode-bookmarks-core"] 5 | path = vscode-bookmarks-core 6 | url = https://github.com/alefragnani/vscode-bookmarks-core.git 7 | -------------------------------------------------------------------------------- /.vscode/bookmarks.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks": [ 3 | { 4 | "fsPath": "$ROOTPATH$\\Bookmarks.ts", 5 | "bookmarks": [ 6 | 41 7 | ] 8 | }, 9 | { 10 | "fsPath": "$ROOTPATH$\\extension.ts", 11 | "bookmarks": [ 12 | 112, 13 | 675, 14 | 701, 15 | 795, 16 | 800 17 | ] 18 | } 19 | ] 20 | } -------------------------------------------------------------------------------- /.vscode/launch.json: -------------------------------------------------------------------------------- 1 | // A launch configuration that compiles the extension and then opens it inside a new window 2 | { 3 | "version": "0.2.0", 4 | "configurations": [ 5 | { 6 | "name": "Launch Extension", 7 | "type": "extensionHost", 8 | "request": "launch", 9 | "runtimeExecutable": "${execPath}", 10 | "args": ["--extensionDevelopmentPath=${workspaceRoot}" ], 11 | "stopOnEntry": false, 12 | "outFiles": ["${workspaceFolder}/dist/**/*.js"], 13 | // "skipFiles": ["/**", "**/node_modules/**", "**/app/out/vs/**", "**/extensions/**"], 14 | "smartStep": true, 15 | "sourceMaps": true 16 | }, 17 | { 18 | "name": "Run Web Extension in VS Code", 19 | "type": "pwa-extensionHost", 20 | "debugWebWorkerHost": true, 21 | "request": "launch", 22 | "args": [ 23 | "--extensionDevelopmentPath=${workspaceFolder}", 24 | "--extensionDevelopmentKind=web" 25 | ], 26 | "outFiles": ["${workspaceFolder}/dist/**/*.js"], 27 | "preLaunchTask": "npm: watch" 28 | } 29 | ] 30 | } -------------------------------------------------------------------------------- /.vscode/settings.json: -------------------------------------------------------------------------------- 1 | // Place your settings in this file to overwrite default and user settings. 2 | { 3 | "files.exclude": { 4 | "out": false // set this to true to hide the "out" folder with the compiled JS files 5 | }, 6 | "search.exclude": { 7 | "out": true 8 | } 9 | } -------------------------------------------------------------------------------- /.vscode/tasks.json: -------------------------------------------------------------------------------- 1 | { 2 | "version": "2.0.0", 3 | "presentation": { 4 | "echo": false, 5 | "reveal": "always", 6 | "focus": false, 7 | "panel": "dedicated", 8 | "showReuseMessage": false 9 | }, 10 | "tasks": [ 11 | { 12 | "type": "npm", 13 | "script": "build", 14 | "group": "build", 15 | "problemMatcher": ["$ts-webpack", "$tslint-webpack"] 16 | }, 17 | { 18 | "type": "npm", 19 | "script": "watch", 20 | "group": { 21 | "kind": "build", 22 | "isDefault": true 23 | }, 24 | "isBackground": true, 25 | "problemMatcher": ["$ts-webpack-watch", "$tslint-webpack-watch"] 26 | } 27 | ] 28 | } -------------------------------------------------------------------------------- /.vscodeignore: -------------------------------------------------------------------------------- 1 | .vscode/** 2 | .vscode-test/** 3 | typings/** 4 | issues/** 5 | **/*.ts 6 | **/*.map 7 | out/** 8 | node_modules/** 9 | .gitignore 10 | tsconfig.json 11 | test/** 12 | *.vsix 13 | package-lock.json 14 | webpack.config.js 15 | **/.github/ 16 | **/.git/** 17 | **/.git 18 | **/.gitmodules 19 | .devcontainer/ -------------------------------------------------------------------------------- /CHANGELOG.md: -------------------------------------------------------------------------------- 1 | ## [13.5.0] - 2024-04-03 2 | ### Added 3 | - Turkish translations (PR [#683](https://github.com/alefragnani/vscode-bookmarks/pull/683) - kudos to @ksckaan1) 4 | - New setting to choose viewport position on navigation (issue [#504](https://github.com/alefragnani/vscode-bookmarks/issues/504)) 5 | 6 | ### Fixed 7 | - Simplified Chinese translations (PR [#635](https://github.com/alefragnani/vscode-bookmarks/pull/635) - kudos to @huangyxi) 8 | - Refine extension settings query (PR [#681](https://github.com/alefragnani/vscode-bookmarks/pull/681) - kudos to @aramikuto) 9 | 10 | ## [13.4.2] - 2023-10-06 11 | ### Added 12 | - Spanish translations (PR [#629](https://github.com/alefragnani/vscode-bookmarks/pull/629) - kudos to @JoseDeFreitas) 13 | 14 | ### Fixed 15 | - Toogle bookmark via mouse click (context menu) outdated by Explorer view (issue [#627](https://github.com/alefragnani/vscode-bookmarks/issues/627)) 16 | - Support for `vscode-memfs` FileSystemProvider (issue [#645](https://github.com/alefragnani/vscode-bookmarks/issues/645)) 17 | - Typos in Portuguese translations (PR [#635](https://github.com/alefragnani/vscode-bookmarks/pull/635)) 18 | 19 | ### Internal 20 | - Security Alert: word-wrap (dependabot [PR #634](https://github.com/alefragnani/vscode-bookmarks/pull/634)) 21 | 22 | ## [13.4.0] - 2023-07-12 23 | ### Added 24 | - Getting Started/Walkthrough (issue [#442](https://github.com/alefragnani/vscode-bookmarks/issues/442)) 25 | - Toggle bookmark via mouse click (context menu) (issue [#615](https://github.com/alefragnani/vscode-bookmarks/issues/615)) 26 | - Localization (l10n) support (issue [#565](https://github.com/alefragnani/vscode-bookmarks/issues/565)) 27 | - Side Bar Badge (issue [#153](https://github.com/alefragnani/vscode-bookmarks/issues/153)) 28 | 29 | ### Changed 30 | - Avoid What's New when using Gitpod (issue [#611](https://github.com/alefragnani/vscode-bookmarks/issues/611)) 31 | - Avoid What's New when installing lower versions (issue [#611](https://github.com/alefragnani/vscode-bookmarks/issues/611)) 32 | 33 | ### Fixed 34 | - Repeated gutter icon on line wrap (issue [#552](https://github.com/alefragnani/vscode-bookmarks/issues/552)) 35 | 36 | ### Internal 37 | - Support Implicit Activation Events API (issue [#572](https://github.com/alefragnani/vscode-bookmarks/issues/572)) 38 | - Security Alert: minimatch (dependabot [PR #566](https://github.com/alefragnani/vscode-bookmarks/pull/566)) 39 | - Security Alert: terser (dependabot [PR #546](https://github.com/alefragnani/vscode-bookmarks/pull/546)) 40 | 41 | ## [13.3.1] - 2022-07-18 42 | ### Internal 43 | - Add GitHub Sponsors support (PR [#544](https://github.com/alefragnani/vscode-bookmarks/pull/544)) 44 | 45 | ## [13.3.0] - 2022-05-08 46 | ### Added 47 | - New setting to decide if should delete bookmark if associated line is deleted (issue [#503](https://github.com/alefragnani/vscode-bookmarks/issues/503)) 48 | - Allow customization of bookmark icon - border and fill colors (issue [#445](https://github.com/alefragnani/vscode-bookmarks/issues/445)) 49 | 50 | ### Fixed 51 | - Bookmarks being lost on file renames (issue [#529](https://github.com/alefragnani/vscode-bookmarks/issues/529)) 52 | 53 | ## [13.2.4] - 2022-02-23 54 | ### Internal 55 | - Update Tabnine URL 56 | 57 | ## [13.2.3] - 2022-02-08 58 | ### Internal 59 | - Duckly becomes a Sponsor 60 | 61 | ## [13.2.2] - 2021-10-08 62 | ### Internal 63 | - Update Tabnine URL 64 | 65 | ## [13.2.1] - 2021-09-05 66 | ### Internal 67 | - Remove unnecessary files from extension package (issue [#465](https://github.com/alefragnani/vscode-bookmarks/issues/465)) 68 | 69 | ## [13.2.0] - 2021-09-05 70 | ### Added 71 | - New **Sticky Engine** with improved support to Formatters, Multi-cursor and Undo operations (issue [#463](https://github.com/alefragnani/vscode-bookmarks/issues/463)) 72 | - `View as Tree` and `View as List` options in Side Bar (issue [#453](https://github.com/alefragnani/vscode-bookmarks/issues/453)) 73 | - New command to Hide/Show bookmark position in Side Bar (issue [#143](https://github.com/alefragnani/vscode-bookmarks/issues/143)) 74 | - Updated translations (issue [#464](https://github.com/alefragnani/vscode-bookmarks/issues/464)) 75 | 76 | ### Fixed 77 | - Bookmark positions didn't update after pasting content above (issue [#446](https://github.com/alefragnani/vscode-bookmarks/issues/446)) 78 | - Bookmark positions didn't update after adding empty lines above (issue [#457](https://github.com/alefragnani/vscode-bookmarks/issues/457)) 79 | - Bookmark moving off original line (issue [#168](https://github.com/alefragnani/vscode-bookmarks/issues/168)) 80 | - Undo messes up bookmarks (issue [#116](https://github.com/alefragnani/vscode-bookmarks/issues/116)) 81 | - `Toggle` command in Notebook cells causes duplicate editor to be opened (issue [#456](https://github.com/alefragnani/vscode-bookmarks/issues/456)) 82 | - `Toggle` command causes exiting diff editor (issue [#440](https://github.com/alefragnani/vscode-bookmarks/issues/440)) 83 | 84 | ## [13.1.0] - 2021-06-10 85 | ### Added 86 | - Support **Virtual Workspaces** (issue [#432](https://github.com/alefragnani/vscode-bookmarks/issues/432)) 87 | - Support **Workspace Trust** (issue [#430](https://github.com/alefragnani/vscode-bookmarks/issues/430)) 88 | - Return to line/column when cancel List or List from All Files (issue [#386](https://github.com/alefragnani/vscode-bookmarks/issues/386)) 89 | - Update pt-br translation (issue [#376](https://github.com/alefragnani/vscode-bookmarks/issues/376)) 90 | 91 | ### Fixed 92 | - Latest bookmark could not be removed (issue [#422](https://github.com/alefragnani/vscode-bookmarks/issues/422)) 93 | - Minor grammatical and spelling issue (Thanks to @derekpock [PR #388](https://github.com/alefragnani/vscode-bookmarks/pull/388)) 94 | 95 | ### Internal 96 | - Security Alert: lodash (dependabot [PR #433](https://github.com/alefragnani/vscode-bookmarks/pull/433)) 97 | - Security Alert: ssri (dependabot [PR #425](https://github.com/alefragnani/vscode-bookmarks/pull/425)) 98 | - Security Alert: y18n (dependabot [PR #418](https://github.com/alefragnani/vscode-bookmarks/pull/418)) 99 | - Security Alert: elliptic (dependabot [PR #408](https://github.com/alefragnani/vscode-bookmarks/pull/408)) 100 | 101 | ## [13.0.4] - 2021-03-13 102 | ### Fixed 103 | - Bookmarks on deleted/missing files breaks jumping (issue [#390](https://github.com/alefragnani/vscode-bookmarks/issues/390)) 104 | - Toggling bookmarks on Untitled documents does not work (issue [#391](https://github.com/alefragnani/vscode-bookmarks/issues/391)) 105 | 106 | ## [13.0.3] - 2021-03-04 107 | ### Internal 108 | - Update Tabnine URL 109 | 110 | ## [13.0.2] - 2021-02-25 111 | ### Fixed 112 | - Command `bookmarks.toggle` not found - loading empty workspace with random files (issue [#395](https://github.com/alefragnani/vscode-bookmarks/issues/395)) 113 | 114 | ## [13.0.1] - 2021-02-15 115 | ### Fixed 116 | - Command `bookmarks.toggle` not found - extension was not activated (issue [#387](https://github.com/alefragnani/vscode-bookmarks/issues/387)) 117 | 118 | ## [13.0.0] - 2021-02-13 119 | ### Added 120 | - Support Remote Development (issue [#230](https://github.com/alefragnani/vscode-bookmarks/issues/230)) 121 | - Improvements on multi-root support (issue [#193](https://github.com/alefragnani/vscode-bookmarks/issues/193)) 122 | - Group bookmarks by folder on multi-root in Side Bar (issue [#249](https://github.com/alefragnani/vscode-bookmarks/issues/249)) 123 | - Multi-platform support (issue [#205](https://github.com/alefragnani/vscode-bookmarks/issues/205)) 124 | 125 | ### Internal 126 | - Do not show welcome message if installed by Settings Sync (issue [#377](https://github.com/alefragnani/vscode-bookmarks/issues/377)) 127 | 128 | ## [12.1.4] - 2021-01-18 129 | ### Internal 130 | - Update Tabnine URL 131 | 132 | ## [12.1.3] - 2021-01-16 133 | ### Changed 134 | - Added new translations (Thanks to @loniceras [PR #367](https://github.com/alefragnani/vscode-bookmarks/pull/367)) 135 | 136 | ### Internal 137 | - Update Tabnine URL 138 | 139 | ## [12.1.2] - 2021-01-07 140 | ### Internal 141 | - Update Tabnine logo 142 | 143 | ## [12.1.1] - 2021-01-07 144 | ### Internal 145 | - Update whats-new submodule API (issue [#373](https://github.com/alefragnani/vscode-bookmarks/issues/373)) 146 | - Tabnine becomes a Sponsor 147 | 148 | ## [12.1.0] - 2020-12-23 149 | ### Added 150 | - Support submenu for editor commands (issue [#351](https://github.com/alefragnani/vscode-bookmarks/issues/351)) 151 | 152 | ### Changed 153 | - Setting `bookmarks.navigateThroughAllFiles` is now `true` by default (issue [#102](https://github.com/alefragnani/vscode-bookmarks/issues/102)) 154 | 155 | ### Internal 156 | - Remove unnecessary files from extension package (issue [#355](https://github.com/alefragnani/vscode-bookmarks/issues/355)) 157 | 158 | ## [12.0.0] - 2020-11-24 159 | ### Added 160 | - `Open Settings` command to the Side Bar (issue [#352](https://github.com/alefragnani/vscode-bookmarks/issues/352)) 161 | - `Toggle Labeled` command to the Context Menu (Thanks to @fade2gray [PR #342](https://github.com/alefragnani/vscode-bookmarks/pull/342)) 162 | 163 | ### Changed 164 | - Switch initialization to `onStartupFinished` API (Thanks to @jasonwilliams [PR #343](https://github.com/alefragnani/vscode-bookmarks/pull/343)) 165 | 166 | ### Fixed 167 | - Clearing bookmark label through `Toggle Labeled` command leaving leading spaces (issue [#344](https://github.com/alefragnani/vscode-bookmarks/issues/344)) 168 | - Leading spaces while using Move Line Up/Down (issue [#348](https://github.com/alefragnani/vscode-bookmarks/issues/348)) 169 | - "Ghost" Bookmarks after renaming files (issue [#209](https://github.com/alefragnani/vscode-bookmarks/issues/209)) 170 | 171 | ### Internal 172 | - Use `vscode-ext-help-and-feedback` package (issue [#346](https://github.com/alefragnani/vscode-bookmarks/issues/346)) 173 | 174 | ## [11.4.0] - 2020-10-16 175 | ### Added 176 | - Support clear the bookmark label in `Toggle Labeled` and `Edit Label` commands (issue [#320](https://github.com/alefragnani/vscode-bookmarks/issues/320)) 177 | 178 | ### Changed 179 | - Localization support - zh-cn (Thanks to @loniceras [PR #327](https://github.com/alefragnani/vscode-bookmarks/pull/327)) 180 | 181 | ### Fixed 182 | - Typo in Side Bar welcome page (Thanks to @osteele [PR #316](https://github.com/alefragnani/vscode-bookmarks/pull/316)) 183 | 184 | ### Internal 185 | - Update CodeStream sponsorship details 186 | 187 | ## [11.3.1] - 2020-06-20 188 | ### Fixed 189 | - `Open Folder` command in Welcome view not working on Windows (issue [#310](https://github.com/alefragnani/vscode-bookmarks/issues/310)) 190 | - Stars visibility on Marketplace (issue [#314](https://github.com/alefragnani/vscode-bookmarks/issues/314)) 191 | 192 | ## [11.3.0] - 2020-06-15 193 | ### Added 194 | - Auto-save bookmarks when changing `saveBookmarksInProject` setting (issue [#242](https://github.com/alefragnani/vscode-bookmarks/issues/242)) 195 | 196 | ### Changed 197 | - Internal commands can't be customisable (issue [#306](https://github.com/alefragnani/vscode-bookmarks/issues/306)) 198 | 199 | ### Internal 200 | - Migrate from TSLint to ESLint (issue [#290](https://github.com/alefragnani/vscode-bookmarks/issues/290)) 201 | - Remove `vscode` dependency (issue [#296](https://github.com/alefragnani/vscode-bookmarks/issues/296)) 202 | - Use `vscode-ext-codicons` package (issue [#309](https://github.com/alefragnani/vscode-bookmarks/issues/309)) 203 | 204 | ## [11.2.0] - 2020-05-09 205 | ### Added 206 | - Use selected text as Label (issue [#239](https://github.com/alefragnani/vscode-bookmarks/issues/239)) 207 | - **Side Bar** welcome message (issue [#284](https://github.com/alefragnani/vscode-bookmarks/issues/284)) 208 | 209 | ### Changed 210 | - Bookmark position in **Side Bar** became more subtle (issue [#295](https://github.com/alefragnani/vscode-bookmarks/issues/295)) 211 | 212 | ### Fixed 213 | - Avoid Bookmarks from being toggled in the new Search Editor (issue [#279](https://github.com/alefragnani/vscode-bookmarks/issues/279)) 214 | 215 | ## [11.1.0] - 2020-04-10 216 | ### Added 217 | - Multi Cursor support (issue [#77](https://github.com/alefragnani/vscode-bookmarks/issues/77)) 218 | 219 | ### Internal 220 | - Support VS Code package split (issue [#263](https://github.com/alefragnani/vscode-bookmarks/issues/263)) 221 | - Support **ThemeIcon** (issue [#269](https://github.com/alefragnani/vscode-bookmarks/issues/269)) 222 | - Support Extension View Context Menu (issue [#270](https://github.com/alefragnani/vscode-bookmarks/issues/270)) 223 | 224 | ## [11.0.0] - 2020-02-17 225 | ### Added 226 | - Support `workbench.colorCustomizations` (issue [#246](https://github.com/alefragnani/vscode-bookmarks/issues/246)) 227 | 228 | ### Internal 229 | - Use `vscode-ext-selection` and `vscode-ext-decoration` packages 230 | 231 | ## [10.7.0] - 2020-01-27 232 | ### Added 233 | - Hover buttons for File and Bookmarks in Side Bar (issue [#258](https://github.com/alefragnani/vscode-bookmarks/issues/258)) 234 | - Relative path next to the filename in Side Bar (issue [#236](https://github.com/alefragnani/vscode-bookmarks/issues/236)) 235 | 236 | ### Internal 237 | - Renew iconography to match new VS Code identity (issue [#231](https://github.com/alefragnani/vscode-bookmarks/issues/231)) 238 | - Shrink installation size (issue [#190](https://github.com/alefragnani/vscode-bookmarks/issues/190)) 239 | 240 | ## [10.6.0] - 2019-11-21 241 | ### Added 242 | - `Collapse All` command in the Side Bar (issue [#92](https://github.com/alefragnani/vscode-bookmarks/issues/92)) 243 | - New Setting to start Side Bar expanded (issue [#176](https://github.com/alefragnani/vscode-bookmarks/issues/176)) 244 | 245 | ### Changed 246 | - The `Expand Selection ...` commands now works even if the file has only one Bookmark (issue [#120](https://github.com/alefragnani/vscode-bookmarks/issues/120)) 247 | - Update CodeStream Ad and URL 248 | 249 | ## [10.5.0] - 2019-08-12 250 | ### Added 251 | - Localization support - Portuguese (Brazil) 252 | - Remote Development support for configurations - (issue [#219](https://github.com/alefragnani/vscode-bookmarks/issues/219)) 253 | - New Side Bar icon matching new VS Code icon style (Thanks to @snnsnn [PR #227](https://github.com/alefragnani/vscode-bookmarks/pull/227)) 254 | - Show only filename in Side Bar (issue [#149](https://github.com/alefragnani/vscode-bookmarks/issues/149)) 255 | 256 | ### Fixed 257 | - Activation error for "No-Folders Workspace" scenario (issue [#212](https://github.com/alefragnani/vscode-bookmarks/issues/212)) 258 | 259 | ## [10.4.4] - 2019-05-29 260 | ### Fixed 261 | - Security Alert: tar 262 | 263 | ## [10.4.3] - 2019-04-10 264 | ### Fixed 265 | - Typing delay when `SaveBookmarksInProject` is enabled (issue [#202](https://github.com/alefragnani/vscode-bookmarks/issues/202)) 266 | 267 | ## [10.4.2] - 2019-04-05 268 | ### Fixed 269 | - Deprecate `bookmarks.treeview.visible` setting. (issue [#201](https://github.com/alefragnani/vscode-bookmarks/issues/201)) 270 | 271 | ## [10.4.0] - 2019-03-26 272 | ### Added 273 | - New Setting to hide Context Menu commands (Thanks to @bfranklyn [PR #189](https://github.com/alefragnani/vscode-bookmarks/pull/189)) 274 | 275 | ### Fixed 276 | - Selection issue when using `Move Line Up` command (issue [#186](https://github.com/alefragnani/vscode-bookmarks/issues/186)) 277 | 278 | ## [10.3.0] - 2019-03-14 279 | ### Added 280 | - Localization support - zh-cn (Thanks to @axetroy [PR #181](https://github.com/alefragnani/vscode-bookmarks/pull/181)) 281 | 282 | ### Fixed 283 | - What's New page broken in VS Code 1.32 due to CSS API changes 284 | 285 | ## [10.2.2] - 2019-02-01 286 | ### Fixed 287 | - Error in _clean install_ (issue [#178](https://github.com/alefragnani/vscode-bookmarks/issues/178)) 288 | 289 | ## [10.2.1] - 2019-01-31 290 | ### Fixed 291 | - Update CodeStream logo 292 | 293 | ## [10.2.0] - 2019-01-17 294 | ### Added 295 | - `Edit Label` command in the **Side Bar** (issue [#146](https://github.com/alefragnani/vscode-bookmarks/issues/146)) 296 | 297 | ## [10.1.0] - 2019-01-08 298 | ### Added 299 | - Localization support - Russian (Thanks to @Inter-Net-Pro [PR #151](https://github.com/alefragnani/vscode-bookmarks/pull/151)) 300 | 301 | ### Fixed 302 | - Wrong bookmark position on comment lines (issue [#108](https://github.com/alefragnani/vscode-bookmarks/issues/108) - Thanks to @edgardmessias [PR #136](https://github.com/alefragnani/vscode-bookmarks/pull/136)) 303 | - Workaround for formatters, using a new setting `bookmarks.useWorkaroundForFormatters` (issue [#118](https://github.com/alefragnani/vscode-bookmarks/issues/118#issuecomment-442686987)) 304 | 305 | ## [10.0.0] - 2018-11-27 306 | ### Added 307 | - What's New 308 | 309 | ## [9.3.0] - 2018-11-17 310 | ### Added 311 | - New Setting to choose background color of bookmarked lines (Thanks to @edgardmessias [PR #133](https://github.com/alefragnani/vscode-bookmarks/pull/133)) 312 | - New Setting to choose how to wrap navigation around at the first and last bookmarks (Thanks to @miqh [PR #155](https://github.com/alefragnani/vscode-bookmarks/pull/155)) 313 | - Commands added to Context Menus (Editor) (Thanks to @miqh [PR #154](https://github.com/alefragnani/vscode-bookmarks/pull/154)) 314 | 315 | ## [9.2.0] - 2018-11-06 316 | ### Added 317 | - CodeStream becomes a Sponsor 318 | 319 | ## [9.1.0] - 2018-09-15 320 | ### Added 321 | - Patreon button 322 | 323 | ## [9.0.3] - 2018-07-31 324 | ### Fixed 325 | - Bookmark jumping to `column 0` was not working (issue [#135](https://github.com/alefragnani/vscode-bookmarks/issues/135)) 326 | - Toggle Labeled Bookmark on already bookmarked line glitch (issue [#138](https://github.com/alefragnani/vscode-bookmarks/issues/138)) 327 | - Adding bookmark on empty line was using `undefined` in line preview (issue [#134](https://github.com/alefragnani/vscode-bookmarks/issues/134)) 328 | 329 | ## [9.0.2] - 2018-07-24 330 | ### Fixed 331 | - **Side Bar** was not loading - infinite spinning (issue [#127](https://github.com/alefragnani/vscode-bookmarks/issues/127)) 332 | 333 | ## [9.0.1] - 2018-07-23 334 | ### Fixed 335 | - `bookmarks.navigateThroughAllFiles` setting was no longer working (Thanks to @lega11 [PR #129](https://github.com/alefragnani/vscode-bookmarks/pull/129) and @edgardmessias [PR #130](https://github.com/alefragnani/vscode-bookmarks/pull/130)) 336 | 337 | ## [9.0.0] - 2018-07-13 338 | ### Added 339 | - Bookmarks **Side Bar** (issue [#109](https://github.com/alefragnani/vscode-bookmarks/issues/109)) 340 | - Support Labeled Bookmarks (issue [#76] 341 | (https://github.com/alefragnani/vscode-bookmarks/issues/76)) 342 | - Support Column position in Bookmarks (issue [#36](https://github.com/alefragnani/vscode-bookmarks/issues/36)) 343 | - Use file icon from themes in TreeView (Thanks to @vbfox [PR #112](https://github.com/alefragnani/vscode-bookmarks/pull/112)) 344 | - Trim leading whitespaces in bookmarks list (issue [#121](https://github.com/alefragnani/vscode-bookmarks/issues/121)) 345 | - New Version Numbering based on `semver` 346 | 347 | ## [0.19.1 - 8.1.1] - 2018-04-29 348 | ### Fixed 349 | - (Again) Avoid empty `.vscode\bookmarks.json` file when ther is no bookmark (issue [#95](https://github.com/alefragnani/vscode-bookmarks/issues/95)) 350 | - Error while saving bookmarks for _Untitled_ files (issue [#106](https://github.com/alefragnani/vscode-bookmarks/issues/106)) 351 | 352 | ## [0.19.0 - 8.1.0] - 2018-04-22 353 | ### Changed 354 | - TreeView visibility now also depends if you have bookmarks in project (issue [#103](https://github.com/alefragnani/vscode-bookmarks/issues/103)) 355 | 356 | ### Fixed 357 | - Avoid empty `.vscode\bookmarks.json` file when ther is no bookmark (issue [#95](https://github.com/alefragnani/vscode-bookmarks/issues/95)) 358 | 359 | ## [0.18.2 - 8.0.2] - 2018-03-08 360 | ### Fixed 361 | - Error activating extension without workspace (folder) open (issue [#94](https://github.com/alefragnani/vscode-bookmarks/issues/94)) 362 | 363 | ## [0.18.1 - 8.0.1] - 2018-01-02 364 | ### Fixed 365 | - Re-enable `Toggle` command to put documents on _non preview mode_ (Thanks to @muellerkyle [PR #90](https://github.com/alefragnani/vscode-bookmarks/pull/90)) 366 | 367 | ## [0.18.0 - 8.0.0] - 2017-11-12 368 | ### Added 369 | - Multi-root support (issue [#82](https://github.com/alefragnani/vscode-bookmarks/issues/82)) 370 | 371 | ## [0.17.0 - 7.1.0] - 2017-10-21 372 | ### Added 373 | - Treeview is now Optional (issue [#83](https://github.com/alefragnani/vscode-bookmarks/issues/83)) 374 | 375 | ## [0.16.0 - 7.0.0] - 2017-08-28 376 | ### Added 377 | - Bookmarks TreeView (issue [#64](https://github.com/alefragnani/vscode-bookmarks/issues/64)) 378 | 379 | ## [0.15.2 - 6.0.2] - 2017-06-17 380 | ### Fixed 381 | - Toggling bookmark on Center/Right editors were opening the same file on Left editor (issue [#74](https://github.com/alefragnani/vscode-bookmarks/issues/74)) 382 | 383 | ## [0.15.1 - 6.0.1] - 2017-05-27 384 | ### Fixed 385 | - Error opening files outside the project in `List from All Files` (issue [#72](https://github.com/alefragnani/vscode-bookmarks/issues/72)) 386 | 387 | ## [0.15.0 - 6.0.0] - 2017-05-23 388 | ### Added 389 | - Support Retina Displays (issue [#70](https://github.com/alefragnani/vscode-bookmarks/issues/70)) 390 | - `Toggle` command now put documents on _non preview mode_ (issue [#30](https://github.com/alefragnani/vscode-bookmarks/issues/30)) 391 | 392 | ### Fixed 393 | - `List from All Files` command not working since VS Code 1.12 (issue [#69](https://github.com/alefragnani/vscode-bookmarks/issues/69)) 394 | 395 | ### Changed 396 | - **TypeScript** and **VS Code engine** updated 397 | - Source code moved to `src` folder 398 | 399 | ## [0.14.1 - 5.1.1] - 2017-04-12 400 | ### Fixed 401 | - Bookmarks saved in Project were not working fine for _non-Windows_ OS (Thanks to @fzzr- [PR #67](https://github.com/alefragnani/vscode-bookmarks/pull/67)) 402 | 403 | ## [0.14.0 - 5.1.0] - 2017-04-11 404 | ### Added 405 | - Sticky bookmarks are now moved in _indented_ lines (issue [#62](https://github.com/alefragnani/vscode-bookmarks/issues/62)) 406 | 407 | ## [0.13.0 - 5.0.0] - 2017-04-02 408 | ### Added 409 | - Bookmarks can now be saved in the project (inside `.vscode` folder) 410 | 411 | ### Changed 412 | - Bookmarks are now _always_ Sticky 413 | 414 | ## [0.12.0 - 4.0.1] - 2017-05-05 415 | ### Fixed 416 | - Sticky Bookmarks fails with `trimAutoWhitespace` set to `true` (issue [#35](https://github.com/alefragnani/vscode-bookmarks/issues/35)) 417 | - Sticky Bookmarks fails with unstaged files (issue [#40](https://github.com/alefragnani/vscode-bookmarks/issues/40)) 418 | 419 | ## [0.11.0 - 4.0.0] - 2017-02-12 420 | ### Added 421 | - Storage optimizations (issue [#51](https://github.com/alefragnani/vscode-bookmarks/issues/51)) 422 | 423 | ### Fixed 424 | - `List from All Files` not working if a project file has been removed (issue [#50](https://github.com/alefragnani/vscode-bookmarks/issues/50)) 425 | 426 | ### Changed 427 | - Enabled **TSLint** 428 | 429 | ## [0.10.2 - 3.3.2] - 2017-01-10 430 | ### Fixed 431 | - `List from All Files` command was closing active file when canceling navigation (issue [#46](https://github.com/alefragnani/vscode-bookmarks/issues/46)) 432 | 433 | ## [0.10.1 - 3.3.1] - 2016-12-03 434 | ### Fixed 435 | - Bookmarks becomes invalid when documents are modified outside VSCode (issue [#33](https://github.com/alefragnani/vscode-bookmarks/issues/33)) 436 | 437 | ## [0.10.0 - 3.3.0] - 2016-10-22 438 | ### Added 439 | - Now you can select lines and text block via bookmarks 440 | - Command to select all bookmarked lines (`Bookmarks (Selection): Select Lines`) 441 | - Command to expand selection to next bookmark (`Bookmarks (Selection): Expand Selection to Next`) 442 | - command to expand selection to previous bookmark (`Bookmarks (Selection): Expand Selection to Previous`) 443 | - Command to shrink selection between bookmarks (`Bookmarks (Selection): Shrink Selection`) 444 | 445 | ## [0.9.2 - 3.2.2] - 2016-09-19 446 | ### Fixed 447 | - Bookmarks missing in _Insider release 1.6.0_ (issue [#34](https://github.com/alefragnani/vscode-bookmarks/issues/34)) 448 | 449 | ## [0.9.1 - 3.2.1] - 2016-08-31 450 | ### Fixed 451 | - Bookmarks missing on C/C++ files (PR [#32](https://github.com/alefragnani/vscode-bookmarks/pull/32) - kudos to @tlemo) 452 | 453 | ## [0.9.0 - 3.2.0] - 2016-07-13 454 | ### Added 455 | - Commands added to Context Menus (Editor and Title) (issue [#16](https://github.com/alefragnani/vscode-bookmarks/issues/16)) 456 | 457 | ## [0.8.0 - 3.1.0] - 2016-07-02 458 | ### Added 459 | - Command to list bookmarks from all files (`Bookmarks: List from All Files`) 460 | - Command to clear bookmarks from all files (`Bookmarks: Clear from All Files`) 461 | 462 | ## [0.7.2 - 3.0.2] - 2016-06-28 463 | ### Fixed 464 | - Cannot jump to bookmark when scrolling with mouse (issue [#26](https://github.com/alefragnani/vscode-bookmarks/issues/26)) 465 | 466 | ## [0.7.1 - 3.0.1] - 2016-05-12 467 | ### Fixed 468 | - Remove extension activation log (issue [#25](https://github.com/alefragnani/vscode-bookmarks/issues/25)) 469 | 470 | ## [0.7.0 - 3.0.0] - 2016-04-12 471 | ### Added 472 | - Sticky Bookmarks (kudos to @Terminux) 473 | 474 | ## [0.6.0 - 2.2.0] - 2016-03-08 475 | ### Added 476 | - Ability to navigate to bookmarks in all files 477 | - Navigate through all files 478 | 479 | ### Fixed 480 | - Error when there is no active file (issue [#18](https://github.com/alefragnani/vscode-bookmarks/issues/18)) 481 | 482 | ## [0.5.0 - 2.1.0] - 2016-02-20 483 | ### Added 484 | - Bookmarks are now also rendered in the overview ruler 485 | 486 | ## [0.4.0 - 2.0.0] - 2016-02-04 487 | ### Added 488 | - Command to list all bookmarks from the current file (`Bookmarks: List`) 489 | 490 | ## [0.3.0 - 1.2.0] - 2016-01-16 491 | ### Added 492 | * License file 493 | 494 | ## [0.2.0 - 1.1.0] - 2015-11-15 495 | ### Added 496 | - Setting to decide if bookmarks must be saved in project (`bookmarks.saveBookmarksInProject` 497 | - Setting to choose another icon for bookmarks (`bookmarks.gutterIconPath`) 498 | 499 | ## [0.1.1 - 1.0.0] - 2015-11-18 500 | 501 | * Initial release -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 |

2 |
3 | Bookmarks Logo 4 |

5 | 6 | # What's new in Bookmarks 13.5 7 | 8 | * Published to **Open VSX** 9 | * Adds **Getting Started / Walkthrough** 10 | * Adds **Side Bar** badge 11 | * Adds Toggle bookmark via mouse click 12 | * Adds **Icon** customization 13 | 14 | # Support 15 | 16 | **Bookmarks** is an extension created for **Visual Studio Code**. If you find it useful, please consider supporting it. 17 | 18 | 19 | 20 | 23 | 26 | 29 | 30 |
21 | 22 | 24 | 25 | 27 | 28 |
31 | 32 | # Bookmarks 33 | 34 | It helps you to navigate in your code, moving between important positions easily and quickly. _No more need to search for code._ It also supports a set of **selection** commands, which allows you to select bookmarked lines and regions between bookmarked lines. It's really useful for log file analysis. 35 | 36 | Here are some of the features that **Bookmarks** provides: 37 | 38 | * **Mark/unmark positions** in your code 39 | * Mark positions in your code and **give it name** 40 | * **Jump** forward and backward between bookmarks 41 | * Icons in **gutter** and **overview ruler** 42 | * See a list of all Bookmarks in one **file** and **project** 43 | * **Select lines** and **regions** with bookmarks 44 | * A dedicated **Side Bar** 45 | 46 | # Features 47 | 48 | ## Available commands 49 | 50 | * `Bookmarks: Toggle` Mark/unmark positions with bookmarks 51 | * `Bookmarks: Toggle Labeled` Mark labeled bookmarks 52 | * `Bookmarks: Jump to Next` Move the cursor forward, to the bookmark below 53 | * `Bookmarks: Jump to Previous` Move the cursor backward, to the bookmark above 54 | * `Bookmarks: List` List all bookmarks in the current file 55 | * `Bookmarks: List from All Files` List all bookmarks from all files 56 | * `Bookmarks: Clear` remove all bookmarks in the current file 57 | * `Bookmarks: Clear from All Files` remove all bookmarks from all files 58 | * `Bookmarks (Selection): Select Lines` Select all lines that contains bookmarks 59 | * `Bookmarks (Selection): Expand Selection to Next` Expand the selected text to the next bookmark 60 | * `Bookmarks (Selection): Expand Selection to Previous` Expand the selected text to the previous bookmark 61 | * `Bookmarks (Selection): Shrink Selection` Shrink the select text to the Previous/Next bookmark 62 | 63 | ## Manage your bookmarks 64 | 65 | ### Toggle / Toggle Labeled 66 | 67 | You can easily Mark/Unmark bookmarks on any position. You can even define **Labels** for each bookmark. 68 | 69 | ![Toggle](images/printscreen-toggle.png) 70 | 71 | ## Navigation 72 | 73 | ### Jump to Next / Previous 74 | 75 | Quicky move between bookmarks backward and forward, even if located outside the active file. 76 | 77 | ### List / List from All Files 78 | 79 | List all bookmarks from the current file/project and easily navigate to any of them. It shows a line preview and temporarily scroll to its position. 80 | 81 | ![List](images/bookmarks-list-from-all-files.gif) 82 | 83 | * Bookmarks from the active file only shows the line number and its contents 84 | * Bookmarks from other files in the project also shows the relative path 85 | 86 | ## Improved Multi-root support 87 | 88 | When you work with **multi-root** workspaces, the extension can manage the bookmarks individually for each folder. 89 | 90 | Simply define `saveBookmarksInProject` as `true` on your **User Settings** or in the **Workspace Settings**, and when you run the `Bookmarks: List from All Files` command, you will be able to select from which folder the bookmarks will be shown. 91 | 92 | ![List](images/bookmarks-list-from-all-files-multi-root.gif) 93 | 94 | ### Remote Development support 95 | 96 | The extension now fully supports **Remote Development** scenarios. 97 | 98 | It means that when you connect to a _remote_ location, like a Docker Container, SSH or WSL, the extension will be available, ready to be used. 99 | 100 | > You don't need to install the extension on the remote anymore. 101 | 102 | Better yet, if you use `bookmarks.saveBookmarksInProject` setting defined as `true`, the bookmarks saved locally _will be available_ remotely, and you will be able to navigate and update the bookmarks. Just like it was a resource from folder you opened remotely. 103 | 104 | ## Selection 105 | 106 | You can use **Bookmarks** to easily select lines or text blocks. Simply toggle bookmarks in any position of interest and use some of the _Selection_ commands available. 107 | 108 | #### Select Lines 109 | 110 | Select all bookmarked lines. Specially useful while working with log files. 111 | 112 | ![Select Lines](images/bookmarks-select-lines.gif) 113 | 114 | #### Expand Selection to the Next/Previous Bookmark or Shrink the Selection 115 | 116 | Manipulate the selection of lines _between_ bookmarks, up and down. 117 | 118 | ## Available Settings 119 | 120 | * Allow navigation through all files that contains bookmarks _(`true` by default)_ 121 | ```json 122 | "bookmarks.navigateThroughAllFiles": false 123 | ``` 124 | 125 | * Allow navigation to wrap around at the first and last bookmarks in scope (current file or all files) _(`true` by default)_ 126 | ```json 127 | "bookmarks.wrapNavigation": true 128 | ``` 129 | 130 | * Bookmarks are always saved between sessions, and you can decide if it should be saved _in the Project_, so you can add it to your Git/SVN repo and have it in all your machines _(`false` by default)_ 131 | ```json 132 | "bookmarks.saveBookmarksInProject": true 133 | ``` 134 | 135 | * Path to another image to be shown as Bookmark (16x16 px) 136 | ```json 137 | "bookmarks.gutterIconPath": "c:\\temp\\othericon.png" 138 | ``` 139 | > Deprecated in 13.3: Use `bookmarks.gutterIconFillColor` and `bookmarks.gutterIconBorderColor` instead 140 | 141 | * Specifies the fill color of the bookmark icon 142 | ```json 143 | "bookmarks.gutterIconFillColor" 144 | ``` 145 | 146 | * Specifies the border color of the bookmark icon 147 | ```json 148 | "bookmarks.gutterIconBorderColor" 149 | ``` 150 | 151 | * Choose the background color to use on a bookmarked line 152 | 153 | ```json 154 | "bookmarks.backgroundLineColor" 155 | ``` 156 | > Deprecated in 10.7: Use `workbench.colorCustomizations` instead. More info in [Available Colors](#available-colors) 157 | 158 | * Allow bookmarks commands, (Toggle, Jump to Next/Previous), to be displayed on the editor contex menu _(`true` by default)_ 159 | ```json 160 | "bookmarks.showCommandsInContextMenu": true 161 | ``` 162 | 163 | * **Experimental**. Enables the new **Sticky engine** with support for Formatters, improved source change detections and undo operations _(`true` by default)_ 164 | 165 | ```json 166 | "bookmarks.experimental.enableNewStickyEngine": false 167 | ``` 168 | 169 | * "Specifies whether bookmarks on deleted line should be kept on file, moving it down to the next line, instead of deleting it with the line where it was toggled." _(`false` by default)_ 170 | 171 | ```json 172 | "bookmarks.keepBookmarksOnLineDelete": true 173 | ``` 174 | 175 | > **Limitation:** It does not support `Undo` operations. It means that, once you delete a line and the bookmark is moved to the next available line, the `Undo` operation won't move the bookmark back to the previous line. The next line is now the new location of the bookmark. 176 | 177 | * Use a **workaround** for formatters, like Prettier, which does not notify on document changes and messes Bookmark's _Sticky_ behavior _(`false` by default)_ 178 | 179 | ```json 180 | "bookmarks.useWorkaroundForFormatters": true 181 | ``` 182 | > This workaround can be turned off if you are using the new Sticky Engine (setting above) 183 | 184 | * Choose if the Side Bar should start expanded _(`false` by default)_ 185 | ```json 186 | "bookmarks.sideBar.expanded": true 187 | ``` 188 | 189 | * Controls the count badge on the Bookmark icon on the Activity Bar _(`all` by default)_ 190 | 191 | * `all`: Show the sum of bookmarks from all files 192 | * `files`: Show the sum of files that contains some bookmarks 193 | * `off`: Disable the Bookmarks count badge 194 | 195 | ```json 196 | "bookmarks.sideBar.countBadge": "files" 197 | ``` 198 | 199 | * Choose how multi cursor handles already bookmarked lines _(`allLinesAtOnce` by default)_ 200 | 201 | * `allLinesAtOnce`: Creates bookmarks in all selected lines at once, if at least one of the lines don't have a bookmark 202 | * `eachLineIndependently`: Literally toggles a bookmark in each line, instead of making all lines equal 203 | 204 | ```json 205 | "bookmarks.multicursor.toggleMode": "eachLineIndependently" 206 | ``` 207 | 208 | * Choose how labels are suggested when creating bookmarks _(`dontUse` by default)_ 209 | 210 | * `dontUse`: Don't use the selection (original behavior) 211 | * `useWhenSelected`: Use the selected text _(if available)_ directly, no confirmation required 212 | * `suggestWhenSelected`: Suggests the selected text _(if available)_. You still need to confirm. 213 | * `suggestWhenSelectedOrLineWhenNoSelected`: Suggests the selected text _(if available)_ or the entire line (when has no selection). You still need to confirm 214 | 215 | ```json 216 | "bookmarks.label.suggestion": "useWhenSelected" 217 | ``` 218 | 219 | * Choose the location where the bookmarked line will be revealed _(`center` by default)_ 220 | 221 | * `top`: Reveals the bookmarked line at the top of the editor 222 | * `center`: Reveals the bookmarked line in the center of the editor 223 | 224 | ```json 225 | "bookmarks.revealPosition": "center" 226 | ``` 227 | 228 | * Specifies the lane in the overview ruler where the bookmarked line will be shown _(`full` by default)_ 229 | 230 | * `none`: Don't show the bookmarked line in the overview ruler 231 | * `left`: Show the bookmarked line in the left lane of the overview ruler 232 | * `center`: Show the bookmarked line in the center lane of the overview ruler 233 | * `right`: Show the bookmarked line in the right lane of the overview ruler 234 | * `full`: Show the bookmarked line in the full height of the overview ruler 235 | 236 | ```json 237 | "bookmarks.overviewRulerLane": "left" 238 | ``` 239 | 240 | ## Available Colors 241 | 242 | * Choose the background color to use on a bookmarked line 243 | ```json 244 | "workbench.colorCustomizations": { 245 | "bookmarks.lineBackground": "#157EFB22" 246 | } 247 | ``` 248 | 249 | * Choose the border color to use on a bookmarked line 250 | ```json 251 | "workbench.colorCustomizations": { 252 | "bookmarks.lineBorder": "#FF0000" 253 | } 254 | ``` 255 | 256 | * Choose marker color to use in the overview ruler 257 | ```json 258 | "workbench.colorCustomizations": { 259 | "bookmarks.overviewRuler": "#157EFB88" 260 | } 261 | ``` 262 | 263 | ## Side Bar 264 | 265 | The **Bookmarks** extension has its own **Side Bar**, with a variety of commands to improve you productivity. 266 | 267 | | Single Folder | Multi-root Workspace | 268 | |---------------|------------| 269 | | ![Side Bar](images/printscreen-activity-bar.png) | ![Side Bar](images/printscreen-activity-bar-multi-root.png) | 270 | 271 | ## Project and Session Based 272 | 273 | The bookmarks are saved _per session_ for the project that you are using. You don't have to worry about closing files in _Working Files_. When you reopen the file, the bookmarks are restored. 274 | 275 | It also works even if you only _preview_ a file (simple click in TreeView). You can put bookmarks in any file and when you preview it again, the bookmarks will be there. 276 | 277 | # License 278 | 279 | [GPL-3.0](LICENSE.md) © Alessandro Fragnani -------------------------------------------------------------------------------- /images/bookmark-activity-bar.svg: -------------------------------------------------------------------------------- 1 | 2 | 18 | 20 | 21 | 23 | image/svg+xml 24 | 26 | 27 | 28 | 29 | 30 | 32 | 53 | 58 | 63 | 64 | 65 | -------------------------------------------------------------------------------- /images/bookmark.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/bookmark.png -------------------------------------------------------------------------------- /images/bookmark.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /images/bookmarks-list-from-all-files-multi-root.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/bookmarks-list-from-all-files-multi-root.gif -------------------------------------------------------------------------------- /images/bookmarks-list-from-all-files.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/bookmarks-list-from-all-files.gif -------------------------------------------------------------------------------- /images/bookmarks-select-lines.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/bookmarks-select-lines.gif -------------------------------------------------------------------------------- /images/document-dark.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /images/document-light.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /images/expand-all-dark.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | -------------------------------------------------------------------------------- /images/expand-all-light.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | -------------------------------------------------------------------------------- /images/icon.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/icon.png -------------------------------------------------------------------------------- /images/printscreen-activity-bar-multi-root.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/printscreen-activity-bar-multi-root.png -------------------------------------------------------------------------------- /images/printscreen-activity-bar.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/printscreen-activity-bar.png -------------------------------------------------------------------------------- /images/printscreen-list-from-all-files.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/printscreen-list-from-all-files.png -------------------------------------------------------------------------------- /images/printscreen-toggle.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/printscreen-toggle.png -------------------------------------------------------------------------------- /images/vscode-bookmarks-logo-readme.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/images/vscode-bookmarks-logo-readme.png -------------------------------------------------------------------------------- /l10n/bundle.l10n.es.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor":"Convertirse en un patrocinador", 3 | "Donate via PayPal":"Donar por PayPal", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!":"Aunque Bookmarks sea gratis, considera apoyarla con una donación \n si te ha sido útil. ¡Gracias!", 5 | "Open a file first to list bookmarks":"Abre un archivo antes de mostrar los marcadores", 6 | "Type a line number or a piece of code to navigate to":"Escribe el número de línea o la porción de código a la que quieres ir", 7 | "Open a file first to clear bookmarks":"Abre un archivo antes de eliminar marcadores", 8 | "No Bookmarks found":"No se encontraron marcadores", 9 | "Open a file first to jump to bookmarks":"Abre un archivo antes de ir a los marcadores", 10 | "No more bookmarks":"No hay más marcadores", 11 | "Bookmark Label":"Etiqueta del marcador", 12 | "Type a label for your bookmark":"Escribe una etiqueta para tu marcador", 13 | "You must define a label for the bookmark.":"Debes escribir una etiqueta para tu marcador.", 14 | "Open a file first to toggle bookmarks":"Abre un archivo antes de alternar los marcadores", 15 | "You can't toggle bookmarks in Search Editor":"No puedes alternar los marcadores en el Editor de búsqueda", 16 | "Support":"Soporte", 17 | "Open a file first to shrink bookmark selection":"Abre un archivo antes de contraer la selección de marcadores", 18 | "Command not supported with more than one selection":"No se permite este comando con más de una selección", 19 | "No selection found":"No se encontró ninguna selección", 20 | "No more bookmarks to shrink":"No hay más marcadores que contraer", 21 | "1 file with bookmarks":"1 archivo con marcadores", 22 | "files with bookmarks":"archivos con marcadores", 23 | "Error loading Bookmarks: ":"Error al cargar Bookmarks: " 24 | } -------------------------------------------------------------------------------- /l10n/bundle.l10n.fr.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor": "Devenir un sponsor", 3 | "Donate via PayPal": "Faire un don via PayPal", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!": "Bien que Bookmarks soit offert gratuitement, si vous le trouvez utile, \n veuillez envisager de le soutenir. Merci !", 5 | "Open a file first to list bookmarks": "Ouvrez d’abord un fichier pour lister les signets", 6 | "Type a line number or a piece of code to navigate to": "Tapez un numéro de ligne ou un morceau de code pour y naviguer", 7 | "Open a file first to clear bookmarks": "Ouvrez d’abord un fichier pour effacer les signets", 8 | "No Bookmarks found": "Aucun signet trouvé", 9 | "Open a file first to jump to bookmarks": "Ouvrez d’abord un fichier pour accéder aux signets", 10 | "No more bookmarks": "Plus de signets", 11 | "Bookmark Label": "Étiquette du signet", 12 | "Type a label for your bookmark": "Tapez une étiquette pour votre signet", 13 | "You must define a label for the bookmark.": "Vous devez définir une étiquette pour le signet.", 14 | "Open a file first to toggle bookmarks": "Ouvrez d’abord un fichier pour basculer les signets", 15 | "You can't toggle bookmarks in Search Editor": "Vous ne pouvez pas basculer les signets dans l’éditeur de recherche", 16 | "Support": "Support", 17 | "Open a file first to shrink bookmark selection": "Ouvrez d’abord un fichier pour réduire la sélection de signets", 18 | "Command not supported with more than one selection": "Commande non prise en charge avec plus d’une sélection", 19 | "No selection found": "Aucune sélection trouvée", 20 | "No more bookmarks to shrink": "Plus de signets à réduire", 21 | "1 file with bookmarks": "1 fichier avec des signets", 22 | "files with bookmarks": "fichiers avec des signets", 23 | "Error loading Bookmarks: ": "Erreur lors du chargement des signets : " 24 | } 25 | -------------------------------------------------------------------------------- /l10n/bundle.l10n.hi.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor": "प्रायोजक बनें", 3 | "Donate via PayPal": "PayPal के माध्यम से दान करें", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!": "बुकमार्क्स निःशुल्क उपलब्ध है, लेकिन यदि आपको यह उपयोगी लगे, \n तो कृपया इसका समर्थन करने पर विचार करें। धन्यवाद!", 5 | "Open a file first to list bookmarks": "बुकमार्क सूचीबद्ध करने के लिए पहले कोई फ़ाइल खोलें", 6 | "Type a line number or a piece of code to navigate to": "जाने के लिए कोई पंक्ति संख्या या कोड का अंश टाइप करें", 7 | "Open a file first to clear bookmarks": "बुकमार्क हटाने के लिए पहले कोई फ़ाइल खोलें", 8 | "No Bookmarks found": "कोई बुकमार्क नहीं मिला", 9 | "Open a file first to jump to bookmarks": "बुकमार्क पर जाने के लिए पहले कोई फ़ाइल खोलें", 10 | "No more bookmarks": "और कोई बुकमार्क नहीं है", 11 | "Bookmark Label": "बुकमार्क लेबल", 12 | "Type a label for your bookmark": "अपने बुकमार्क के लिए लेबल टाइप करें", 13 | "You must define a label for the bookmark.": "आपको बुकमार्क के लिए एक लेबल निर्धारित करना होगा।", 14 | "Open a file first to toggle bookmarks": "बुकमार्क टॉगल करने के लिए पहले कोई फ़ाइल खोलें", 15 | "You can't toggle bookmarks in Search Editor": "आप सर्च एडिटर में बुकमार्क टॉगल नहीं कर सकते", 16 | "Support": "समर्थन", 17 | "Open a file first to shrink bookmark selection": "बुकमार्क चयन को संकुचित करने के लिए पहले कोई फ़ाइल खोलें", 18 | "Command not supported with more than one selection": "यह कमांड एक से अधिक चयन के साथ समर्थित नहीं है", 19 | "No selection found": "कोई चयन नहीं मिला", 20 | "No more bookmarks to shrink": "संकुचित करने के लिए और कोई बुकमार्क नहीं है", 21 | "1 file with bookmarks": "एक फ़ाइल बुकमार्क हैं", 22 | "files with bookmarks": "फ़ाइलें बुकमार्क हैं", 23 | "Error loading Bookmarks: ": "बुकमार्क लोड करने में त्रुटि: " 24 | } 25 | -------------------------------------------------------------------------------- /l10n/bundle.l10n.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor":"Become a Sponsor", 3 | "Donate via PayPal":"Donate via PayPal", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!":"While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!", 5 | "Open a file first to list bookmarks":"Open a file first to list bookmarks", 6 | "Type a line number or a piece of code to navigate to":"Type a line number or a piece of code to navigate to", 7 | "Open a file first to clear bookmarks":"Open a file first to clear bookmarks", 8 | "No Bookmarks found":"No Bookmarks found", 9 | "Open a file first to jump to bookmarks":"Open a file first to jump to bookmarks", 10 | "No more bookmarks":"No more bookmarks", 11 | "Bookmark Label":"Bookmark Label", 12 | "Type a label for your bookmark":"Type a label for your bookmark", 13 | "You must define a label for the bookmark.":"You must define a label for the bookmark.", 14 | "Open a file first to toggle bookmarks":"Open a file first to toggle bookmarks", 15 | "You can't toggle bookmarks in Search Editor":"You can't toggle bookmarks in Search Editor", 16 | "Support":"Support", 17 | "Open a file first to shrink bookmark selection":"Open a file first to shrink bookmark selection", 18 | "Command not supported with more than one selection":"Command not supported with more than one selection", 19 | "No selection found":"No selection found", 20 | "No more bookmarks to shrink":"No more bookmarks to shrink", 21 | "1 file with bookmarks":"1 file with bookmarks", 22 | "files with bookmarks":"files with bookmarks", 23 | "Error loading Bookmarks: ":"Error loading Bookmarks: " 24 | } -------------------------------------------------------------------------------- /l10n/bundle.l10n.pl.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor": "Zostań sponsorem", 3 | "Donate via PayPal": "Wspomóż przez PayPal", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!": "Chociaż Zakładki są oferowane za darmo, jeśli uznasz je za przydatne, \n prosimy o wsparcie. Dziękujemy!", 5 | "Open a file first to list bookmarks": "Najpierw otwórz plik, aby wyświetlić zakładki", 6 | "Type a line number or a piece of code to navigate to": "Wpisz numer linii lub fragment kodu, aby do niego przejść", 7 | "Open a file first to clear bookmarks": "Najpierw otwórz plik, aby wyczyścić zakładki", 8 | "No Bookmarks found": "Nie znaleziono zakładek", 9 | "Open a file first to jump to bookmarks": "Najpierw otwórz plik, aby przejść do zakładek", 10 | "No more bookmarks": "Nie ma więcej zakładek", 11 | "Bookmark Label": "Etykieta zakładki", 12 | "Type a label for your bookmark": "Wpisz etykietę dla swojej zakładki", 13 | "You must define a label for the bookmark.": "Musisz określić etykietę dla zakładki.", 14 | "Open a file first to toggle bookmarks": "Najpierw otwórz plik, aby przełączać zakładki", 15 | "You can't toggle bookmarks in Search Editor": "Nie możesz przełączać zakładek w Edytorze Wyszukiwania", 16 | "Support": "Wsparcie techniczne", 17 | "Open a file first to shrink bookmark selection": "Najpierw otwórz plik, aby zmniejszyć wybór zakładek", 18 | "Command not supported with more than one selection": "Komenda nie działa przy więcej niż jednym wyborze", 19 | "No selection found": "Nie znaleziono zaznaczenia", 20 | "No more bookmarks to shrink": "Nie ma więcej zakładek do zmniejszenia", 21 | "1 file with bookmarks": "1 plik z zakładkami", 22 | "files with bookmarks": "pliki z zakładkami", 23 | "Error loading Bookmarks: ": "Błąd ładowania Zakładek: " 24 | } 25 | -------------------------------------------------------------------------------- /l10n/bundle.l10n.pt-br.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor":"Torne-se um Patrocinador", 3 | "Donate via PayPal":"Doar via PayPal", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!":"Embora Bookmarks seja oferecido gratuitamente, se você o acha útil, \n considere apoiá-lo. Obrigado!", 5 | "Open a file first to list bookmarks":"Abra um arquivo antes de listar bookmarks", 6 | "Type a line number or a piece of code to navigate to":"Digite um número de linha ou pedaço de código para navegar", 7 | "Open a file first to clear bookmarks":"Abra um arquivo antes de limpar bookmarks", 8 | "No Bookmarks found":"Nenhum Bookmark encontrado", 9 | "Open a file first to jump to bookmarks":"Abra um arquivo antes de pular para bookmarks", 10 | "No more bookmarks":"Sem mais Bookmarks", 11 | "Bookmark Label":"Bookmark Rotulado", 12 | "Type a label for your bookmark":"Digite um rótulo para o seu bookmark", 13 | "You must define a label for the bookmark.":"Você deve definir um rótulo para o bookmark.", 14 | "Open a file first to toggle bookmarks":"Abra um arquivo antes de alternar bookmarks", 15 | "You can't toggle bookmarks in Search Editor":"Você não pode alternar bookmarks no Editor de Pesquisa", 16 | "Support":"Suporte", 17 | "Open a file first to shrink bookmark selection":"Abra um arquivo antes de contrair seleção entre bookmark", 18 | "Command not supported with more than one selection":"Comando não suportado com mais de uma seleção", 19 | "No selection found":"Nenhuma seleção encontrada", 20 | "No more bookmarks to shrink":"Sem mais bookmarks para contrair", 21 | "1 file with bookmarks":"1 arquivo com bookmarks", 22 | "files with bookmarks":"arquivos com bookmarks", 23 | "Error loading Bookmarks: ":"Erro lendo Bookmarks: " 24 | } -------------------------------------------------------------------------------- /l10n/bundle.l10n.ru.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor":"Стать спонсором", 3 | "Donate via PayPal":"Пожертвовать через PayPal", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!":"Хотя «Закладки» предлагаются бесплатно, если вы находите их полезными, \n пожалуйста, поддержите их. Спасибо!", 5 | "Open a file first to list bookmarks":"Сначала откройте файл, чтобы составить список закладок", 6 | "Type a line number or a piece of code to navigate to":"Введите номер строки или фрагмент кода, чтобы перейти к нему", 7 | "Open a file first to clear bookmarks":"Сначала откройте файл, чтобы очистить закладки", 8 | "No Bookmarks found":"Закладки не найдены", 9 | "Open a file first to jump to bookmarks":"Сначала откройте файл, чтобы перейти к закладкам", 10 | "No more bookmarks":"Закладок больше нет", 11 | "Bookmark Label":"Закладка с меткой", 12 | "Type a label for your bookmark":"Введите метку для закладки", 13 | "You must define a label for the bookmark.":"Вы должны задать метку для закладки.", 14 | "Open a file first to toggle bookmarks":"Чтобы переключить закладки, сначала откройте файл", 15 | "You can't toggle bookmarks in Search Editor":"Вы не можете установить закладки в редакторе поиска", 16 | "Support":"Поддержка", 17 | "Open a file first to shrink bookmark selection":"Сначала откройте файл, чтобы сократить выделение закладки", 18 | "Command not supported with more than one selection":"Команда не поддерживается при наличии более одного выделения", 19 | "No selection found":"Выделение не найдено", 20 | "No more bookmarks to shrink":"Нет закладок, которые можно уменьшить", 21 | "1 file with bookmarks":"1 файл с закладками", 22 | "files with bookmarks":"файлов с закладками", 23 | "Error loading Bookmarks: ":"Ошибка загрузки закладок: " 24 | } -------------------------------------------------------------------------------- /l10n/bundle.l10n.tr.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor": "Sponsor Olun", 3 | "Donate via PayPal": "PayPal aracılığıyla bağış yapın", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!": "Yer İşaretleri ücretsiz olarak sunulsa da yararlı buluyorsanız \n lütfen desteklemeyi düşünün. Teşekkür ederim!", 5 | "Open a file first to list bookmarks": "Yer işaretlerini listelemek için önce bir dosya açın", 6 | "Type a line number or a piece of code to navigate to": "Gitmek için bir satır numarası veya bir kod parçası yazın", 7 | "Open a file first to clear bookmarks": "Yer işaretlerini temizlemek için önce bir dosya açın", 8 | "No Bookmarks found": "Yer İşareti bulunamadı", 9 | "Open a file first to jump to bookmarks": "Yer işaretlerine atlamak için önce bir dosya açın", 10 | "No more bookmarks": "Daha fazla yer işareti yok", 11 | "Bookmark Label": "Yer İşareti Etiketi", 12 | "Type a label for your bookmark": "Yer işaretiniz için bir etiket yazın", 13 | "You must define a label for the bookmark.": "Yer işareti için bir etiket tanımlamanız gerekir.", 14 | "Open a file first to toggle bookmarks": "Yer işaretlerini değiştirmek için önce bir dosya açın", 15 | "You can't toggle bookmarks in Search Editor": "Arama Düzenleyicisi'nde yer işaretlerini değiştiremezsiniz", 16 | "Support": "Destek", 17 | "Open a file first to shrink bookmark selection": "Yer işareti seçimini daraltmak için önce bir dosya açın", 18 | "Command not supported with more than one selection": "Komut birden fazla seçimle desteklenmiyor", 19 | "No selection found": "Seçim bulunamadı", 20 | "No more bookmarks to shrink": "Artık küçültülecek yer işareti yok", 21 | "1 file with bookmarks": "1 yer işareti olan dosya", 22 | "files with bookmarks": "yer işareti olan dosya", 23 | "Error loading Bookmarks: ": "Yer İşaretleri yüklenirken hata oluştu: " 24 | } -------------------------------------------------------------------------------- /l10n/bundle.l10n.zh-cn.json: -------------------------------------------------------------------------------- 1 | { 2 | "Become a Sponsor": "成为赞助者", 3 | "Donate via PayPal": "通过 PayPal 捐赠", 4 | "While Bookmarks is offered for free, if you find it useful, \n please consider supporting it. Thank you!": "即使 Bookmarks 是免费提供的,如果你觉得它相当好使, \n 请考虑捐助以支援我们的开发工作,非常感谢!", 5 | "Open a file first to list bookmarks": "先打开文件以列出书签", 6 | "Type a line number or a piece of code to navigate to": "输入行号或一段代码以跳转到", 7 | "Open a file first to clear bookmarks": "先打开文件以清空书签", 8 | "No Bookmarks found": "没有找到书签", 9 | "Open a file first to jump to bookmarks": "先打开文件以跳转至书签", 10 | "No more bookmarks": "没有更多书签", 11 | "Bookmark Label": "书签标签", 12 | "Type a label for your bookmark": "为你的书签输入标签", 13 | "You must define a label for the bookmark.": "你需要为该书签输入标签", 14 | "Open a file first to toggle bookmarks": "先打开文件以添加或删除书签", 15 | "You can't toggle bookmarks in Search Editor": "你不能在搜索编辑器中添加或删除书签。", 16 | "Support": "赞助", 17 | "Open a file first to shrink bookmark selection": "先打开文件以收缩光标选区", 18 | "Command not supported with more than one selection": "该指令不能在多选择的时候使用", 19 | "No selection found": "未选择任何内容", 20 | "No more bookmarks to shrink": "没有更多的书签可供收缩选区", 21 | "1 file with bookmarks": "一个具有书签的文件", 22 | "files with bookmarks": "个具有书签的文件", 23 | "Error loading Bookmarks: ": "在载入书签时发生问题: " 24 | } -------------------------------------------------------------------------------- /package.nls.es.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "Bookmarks", 3 | "bookmarks.views.Explorer.name": "Explorador", 4 | "bookmarks.views.HelpAndFeedback.name": "Ayuda y Feedback", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "Para poder usar Bookmarks, debes tener abierto un espacio de trabajo o una carpeta primero.\n[Abrir Carpeta](command:_bookmarks.openFolderWelcome)\n[Abrir Espacio de Trabajo](command:workbench.action.openWorkspace)\nPara aprender más sobre Bookmarks en VS Code [Lee la documentación](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "Aún no tienes ningún marcador.\nPara poder usar Bookmarks, debes tener abierto un archivo en el editor.\n[Abrir archivo](command:workbench.action.quickOpen)\nPara aprender más sobre Bookmarks en VS Code [Lee la documentación](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "Aún no tienes ningún marcador.\nPara poder usar Bookmarks, debes colocar el cursor en cualquier punto del documento y ejecutar el comando:\n[Bookmarks: Activar](command:bookmarks.toggle)\nPara aprender más sobre Bookmarks en VS Code [Lee la documentación](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 8 | "bookmarks.editor.context.label": "Bookmarks", 9 | "bookmarks.editor.title.label": "Bookmarks", 10 | "bookmarks.commands.category.bookmarks": "Bookmarks", 11 | "bookmarks.commands.category.bookmarks.selection": "Bookmarks (Selección)", 12 | "bookmarks.commands.toggle.title": "Activar", 13 | "bookmarks.commands.jumpToNext.title": "Saltar al Siguiente", 14 | "bookmarks.commands.jumpToPrevious.title": "Saltar al Anterior", 15 | "bookmarks.commands.jumpTo.title": "Saltar al Documento/Línea", 16 | "bookmarks.commands.selectLines.title": "Seleccionar Líneas", 17 | "bookmarks.commands.expandSelectionToNext.title": "Expandir Selección al Siguiente", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "Expandir Selección al Anterior", 19 | "bookmarks.commands.shrinkSelection.title": "Reducir Selección", 20 | "bookmarks.commands.list.title": "Listar", 21 | "bookmarks.commands.toggleLabeled.title": "Activar Etiquetados", 22 | "bookmarks.commands.refresh.title": "Actualizar", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "Ver como Árbol", 24 | "bookmarks.commands.viewAsList#sideBar.title": "Ver como Lista", 25 | "bookmarks.commands.openSettings.title": "Abrir Opciones", 26 | "bookmarks.commands.hidePosition.title": "Ocultar posición", 27 | "bookmarks.commands.showPosition.title": "Mostrar posición", 28 | "bookmarks.commands.clear.title": "Limpiar", 29 | "bookmarks.commands.clearFromFile.title": "Limpiar", 30 | "bookmarks.commands.deleteBookmark.title": "Borrar", 31 | "bookmarks.commands.editLabel.title": "Editar Etiqueta", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "Añadir Bookmark", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "Añadir Bookmark Etiquetado", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "Eliminar Bookmark", 35 | "bookmarks.commands.listFromAllFiles.title": "Listar de Todos los Archivos", 36 | "bookmarks.commands.clearFromAllFiles.title": "Eliminar de Todos los Archivos", 37 | "bookmarks.commands.whatsNew.title": "¿Qué hay nuevo?", 38 | "bookmarks.commands.whatsNewContextMenu.title": "¿Qué hay nuevo?", 39 | "bookmarks.commands.openFolderWelcome.title": "Abrir Carpeta", 40 | "bookmarks.commands.supportBookmarks.title": "Ayudar a Bookmarks", 41 | "bookmarks.commands.openSideBar.title": "Abrir la Barra lateral", 42 | "bookmarks.configuration.title": "Bookmarks", 43 | "bookmarks.configuration.saveBookmarksInProject.description": "Permitir a bookmarks guardar (y recuperar) localmente las carpetas/proyectos en vez de VS Code", 44 | "bookmarks.configuration.gutterIconPath.description": "Ruta para mostrar otra imagen como Marcador", 45 | "bookmarks.configuration.gutterIconPath.deprecation": "Use `bookmarks.gutterIconFillColor` y `bookmarks.gutterIconBorderColor` en su lugar", 46 | "bookmarks.configuration.gutterIconFillColor.description": "Especifica el color de relleno del icono de marcador", 47 | "bookmarks.configuration.gutterIconBorderColor.description": "Especifica el color del borde del icono de marcador", 48 | "bookmarks.configuration.backgroundLineColor.description": "Color de fondo del decorador. Se utiliza rgba(); permite el uso de fondos con transparencia. Ej.: rgba(21, 126, 251, 0.1)", 49 | "bookmarks.configuration.backgroundLineColor.deprecation": "Usa `bookmarks.lineBackground` en `workbench.colorCustomizations` en su lugar", 50 | "bookmarks.configuration.navigateThroughAllFiles.description": "Permitir la navegación entre los Marcadores de todos los archivos en lugar de solamente el actual", 51 | "bookmarks.configuration.wrapNavigation.description": "Permitir que la ventana se ajuste entre el primer y el último Marcador (del fichero actual o de todos)", 52 | "bookmarks.configuration.useWorkaroundForFormatters.description": "Utilizar una solución para formateadores como Prettier, los cuales no notifican cambios en el documento y rompen el funcionamiento de Bookmarks", 53 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "Experimental. Habilita el nuevo motor Sticky con soporte para formateadores, detecciones de cambio de fuente mejoradas y operaciones de deshacer", 54 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "Especifica si los marcadores en la línea eliminada deben mantenerse en el archivo, moviéndolos hacia abajo a la línea siguiente, en lugar de eliminarlos con la línea donde se alternaron.", 55 | "bookmarks.configuration.showNoMoreBoomarksWarning.description": "Especifíca cuándo mostrar una notificación si se intenta navegar más allá del último Marcador.", 56 | "bookmarks.configuration.showCommandsInContextMenu.description": "Especifíca cómo se muestran los comandos en el menú contextual de Bookmark", 57 | "bookmarks.configuration.sidebar.expanded.description": "Especifica si la barra lateral se muestra expandida", 58 | "bookmarks.configuration.sideBar.countBadge.description": "Controla la insignia de conteo en el ícono de Bookmarks en la barra de actividad", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "Mostrar la suma de Bookmarks de todos los archivos", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "Mostrar la suma de archivos que contiene algunos Bookmarks", 61 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "Deshabilitar la insignia de recuento de Bookmarks", 62 | "bookmarks.configuration.multicursor.toggleMode.description": "Especifíca cómo se trata el modo multicursor cuando ya hay líneas con Marcadores", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "Crea un Marcador en todas las líneas a la vez si al menos una de las líneas no tiene ya un Marcador", 64 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "Cambia el Marcador de cada Línea en vez de marcar todas igual", 65 | "bookmarks.configuration.label.suggestion.description": "Especifica cómo se sugieren las etiquetas al crear un Marcador", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "No utilizar la selección (Comportamiento Original)", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "Usa el texto seleccionado directamente (si está disponible) y sin requerir confirmación", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "Sugiere el texto seleccionado (si está disponible). Se sigue requiriendo confirmación.", 69 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "Sugiere el texto seleccionado (si está disponible) o la línea entera (cuando no hay nada seleccionado). Se sigue requiriendo confirmación.", 70 | "bookmarks.configuration.revealLocation.description": "Especifíca cómo se revela la ubicación del Marcador", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "Revela la ubicación del Marcador en la parte superior de la ventana", 72 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "Revela la ubicación del Marcador en el centro de la ventana", 73 | "bookmarks.configuration.overviewRulerLane.description": "Especifica el carril en la regla general donde se mostrará la línea con marcador", 74 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.none": "No mostrar la línea con marcador en la regla general", 75 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.left": "Mostrar la línea con marcador en el carril izquierdo de la regla general", 76 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.center": "Mostrar la línea con marcador en el carril central de la regla general", 77 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.right": "Mostrar la línea con marcador en el carril derecho de la regla general", 78 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.full": "Mostrar la línea con marcador en toda la altura de la regla general", 79 | "bookmarks.colors.lineBackground.description": "Color de fondo de la línea con Marcador", 80 | "bookmarks.colors.lineBorder.description": "Color del borde de la línea con Marcador", 81 | "bookmarks.colors.overviewRuler.description": "Color general de fondo para todos los Marcadores", 82 | "bookmarks.walkthroughs.title": "Empieza a usar Bookmarks", 83 | "bookmarks.walkthroughs.description": "Aprende más sobre Bookmarks para optimizar tu trabajo", 84 | "bookmarks.walkthroughs.toggle.title": "Alternar marcadores", 85 | "bookmarks.walkthroughs.toggle.description": "Marca y desmarca marcadores en cualquier lugar.\nSe añadirá un icono tanto en el canal como en la regla general para que puedas identificar fácilmente qué líneas tienen un marcador.", 86 | "bookmarks.walkthroughs.navigateToBookmarks.title": "Ir a los marcadores", 87 | "bookmarks.walkthroughs.navigateToBookmarks.description": "Navega rápidamente entre líneas que tengan un marcador.\nBusca marcadores mediante el contenido de la línea o sus etiquetas.", 88 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "Elegir etiquetas para tus marcadores", 89 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "Puedes elegir etiquetas para cada marcador, dándoles un distintivo especial más allá de su posición.", 90 | "bookmarks.walkthroughs.exclusiveSideBar.title": "Barra lateral exclusiva", 91 | "bookmarks.walkthroughs.exclusiveSideBar.description": "Una barra lateral exclusiva con todo lo que necesitas para aumentar tu productividad..\n[Abrir la Barra lateral](command:_bookmarks.openSideBar)", 92 | "bookmarks.walkthroughs.workingWithRemotes.title": "Trabajando con remotos", 93 | "bookmarks.walkthroughs.workingWithRemotes.description": "La extensión acepta escenarios de [Desarrollo remoto](https://code.visualstudio.com/docs/remote/remote-overview). Además de poder usar Bookmarks localmente, también puedes usarla en WSL, Contenedores, SSH y Codespaces.", 94 | "bookmarks.walkthroughs.customizingAppearance.title": "Personalizando la apariencia", 95 | "bookmarks.walkthroughs.customizingAppearance.description": "Personaliza cómo se ven los marcadores, sus iconos, sus líneas y la regla general.\n[Abrir la configuración - Icono del canal](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[Abrir la configuración - Línea](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 96 | } 97 | -------------------------------------------------------------------------------- /package.nls.fr.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "Signets", 3 | "bookmarks.views.Explorer.name": "Explorateur", 4 | "bookmarks.views.HelpAndFeedback.name": "Aide et retour", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "Pour utiliser les signets, vous devez d’abord ouvrir un dossier ou un espace de travail.\n[Ouvrir un dossier](command:_bookmarks.openFolderWelcome)\n[Ouvrir un espace de travail](command:workbench.action.openWorkspace)\nPour en savoir plus sur l’utilisation des signets dans VS Code, veuillez [lire la documentation](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "Aucun signet pour le moment.\nPour utiliser les signets, vous devez ouvrir un fichier dans l’éditeur.\n[Ouvrir un fichier](command:workbench.action.quickOpen)\nPour en savoir plus sur l’utilisation des signets dans VS Code, veuillez [lire la documentation](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "Aucun signet pour le moment.\nPour utiliser les signets, placez le curseur à n’importe quel endroit dans le fichier et exécutez la commande :\n[Signets : Basculer](command:bookmarks.toggle)\nPour en savoir plus sur l’utilisation des signets dans VS Code, veuillez [lire la documentation](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 8 | "bookmarks.editor.context.label": "Signets", 9 | "bookmarks.editor.title.label": "Signets", 10 | "bookmarks.commands.category.bookmarks": "Signets", 11 | "bookmarks.commands.category.bookmarks.selection": "Signets (sélection)", 12 | "bookmarks.commands.toggle.title": "Basculer", 13 | "bookmarks.commands.jumpToNext.title": "Aller au suivant", 14 | "bookmarks.commands.jumpToPrevious.title": "Aller au précédent", 15 | "bookmarks.commands.jumpTo.title": "Aller au document/à la ligne", 16 | "bookmarks.commands.selectLines.title": "Sélectionner les lignes", 17 | "bookmarks.commands.expandSelectionToNext.title": "Étendre la sélection au suivant", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "Étendre la sélection au précédent", 19 | "bookmarks.commands.shrinkSelection.title": "Réduire la sélection", 20 | "bookmarks.commands.list.title": "Lister", 21 | "bookmarks.commands.toggleLabeled.title": "Basculer étiquetté", 22 | "bookmarks.commands.refresh.title": "Actualiser", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "Afficher comme arbre", 24 | "bookmarks.commands.viewAsList#sideBar.title": "Afficher comme liste", 25 | "bookmarks.commands.openSettings.title": "Ouvrir les paramètres", 26 | "bookmarks.commands.hidePosition.title": "Masquer la position", 27 | "bookmarks.commands.showPosition.title": "Afficher la position", 28 | "bookmarks.commands.clear.title": "Effacer", 29 | "bookmarks.commands.clearFromFile.title": "Effacer", 30 | "bookmarks.commands.deleteBookmark.title": "Supprimer", 31 | "bookmarks.commands.editLabel.title": "Modifier l’étiquette", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "Ajouter un signet", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "Ajouter un signet étiquetté", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "Supprimer le signet", 35 | "bookmarks.commands.listFromAllFiles.title": "Lister depuis tous les fichiers", 36 | "bookmarks.commands.clearFromAllFiles.title": "Effacer depuis tous les fichiers", 37 | "bookmarks.commands.whatsNew.title": "Quoi de neuf", 38 | "bookmarks.commands.whatsNewContextMenu.title": "Quoi de neuf", 39 | "bookmarks.commands.openFolderWelcome.title": "Ouvrir un dossier", 40 | "bookmarks.commands.supportBookmarks.title": "Support des signets", 41 | "bookmarks.commands.openSideBar.title": "Ouvrir la barre latérale", 42 | "bookmarks.configuration.title": "Signets", 43 | "bookmarks.configuration.saveBookmarksInProject.description": "Permet de sauvegarder (ou restaurer) les signets localement dans le projet/dossier ouvert au lieu de VS Code", 44 | "bookmarks.configuration.gutterIconPath.description": "Chemin vers une autre image à utiliser comme icône de signet", 45 | "bookmarks.configuration.gutterIconPath.deprecation": "Utilisez `bookmarks.gutterIconFillColor` et `bookmarks.gutterIconBorderColor` à la place", 46 | "bookmarks.configuration.gutterIconFillColor.description": "Spécifie la couleur de remplissage de l’icône de signet", 47 | "bookmarks.configuration.gutterIconBorderColor.description": "Spécifie la couleur de bordure de l’icône de signet", 48 | "bookmarks.configuration.backgroundLineColor.description": "Couleur de fond de la décoration. Utilisez rgba() pour définir des couleurs de fond transparentes compatibles avec d’autres décorations. Par exemple : rgba(21, 126, 251, 0.1)", 49 | "bookmarks.configuration.backgroundLineColor.deprecation": "Utilisez `bookmarks.lineBackground` dans `workbench.colorCustomizations` à la place", 50 | "bookmarks.configuration.navigateThroughAllFiles.description": "Permet à la navigation de rechercher des signets dans tous les fichiers du projet, au lieu de seulement le fichier actuel", 51 | "bookmarks.configuration.wrapNavigation.description": "Permet à la navigation de boucler au premier et dernier signet dans la portée (fichier actuel ou tous les fichiers)", 52 | "bookmarks.configuration.useWorkaroundForFormatters.description": "Utilise une solution de contournement pour les formateurs comme prettier, qui ne notifie pas les changements de document et perturbe le comportement collant des signets", 53 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "Expérimental. Active le nouveau moteur Collant avec prise en charge des formateurs, détection améliorée des changements de source et opérations d’annulation", 54 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "Spécifie si les signets sur une ligne supprimée doivent être conservés dans le fichier, en les déplaçant vers la ligne suivante, au lieu de les supprimer avec la ligne sur laquelle ils sont.", 55 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "Spécifie si une notification sera affichée lors de la tentative de navigation entre les signets lorsqu’il n’y en a plus.", 56 | "bookmarks.configuration.showCommandsInContextMenu.description": "Spécifie si les commandes des signets sont affichées dans le menu contextuel", 57 | "bookmarks.configuration.sidebar.expanded.description": "Spécifie si la barre latérale doit être affichée développée", 58 | "bookmarks.configuration.sideBar.countBadge.description": "Contrôle le badge de comptage sur l’icône des signets dans la barre d’activité", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "Afficher le nombre de signets de tous les fichiers", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "Afficher le npombre des fichiers contenant des signets", 61 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "Désactiver le badge de comptage des signets", 62 | "bookmarks.configuration.multicursor.toggleMode.description": "Spécifie comment le multi-curseur gère les lignes déjà marquées comme signets", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "Crée des signets sur toutes les lignes sélectionnées à la fois, si au moins une des lignes n’a pas de signet", 64 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "Bascule le signet sur chaque ligne, au lieu de rendre toutes les lignes identiques", 65 | "bookmarks.configuration.label.suggestion.description": "Spécifie comment les étiquettes sont suggérées lors de la création de signets", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "Ne pas utiliser la sélection (comportement original)", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "Utiliser directement le texte sélectionné (si disponible), sans confirmation requise", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "Suggère le texte sélectionné (si disponible). Vous devez toujours confirmer.", 69 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "Suggère le texte sélectionné (si disponible) ou la ligne entière (s’il n’y a pas de sélection). Vous devez toujours confirmer.", 70 | "bookmarks.configuration.revealLocation.description": "Spécifie l’emplacement où la ligne marquée sera révélée", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "Révèle la ligne marquée en haut de l’éditeur", 72 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "Révèle la ligne marquée au centre de l’éditeur", 73 | "bookmarks.configuration.overviewRulerLane.description": "Spécifie la bande dans la règle d’aperçu où la ligne marquée sera affichée", 74 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.none": "Ne pas afficher la ligne marquée dans la règle d’aperçu", 75 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.left": "Afficher la ligne marquée dans la bande de gauche de la règle d’aperçu", 76 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.center": "Afficher la ligne marquée dans la bande centrale de la règle d’aperçu", 77 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.right": "Afficher la ligne marquée dans la bande de droite de la règle d’aperçu", 78 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.full": "Afficher la ligne marquée dans la hauteur complète de la règle d’aperçu", 79 | "bookmarks.colors.lineBackground.description": "Couleur de fond pour la ligne marquée", 80 | "bookmarks.colors.lineBorder.description": "Couleur de bordure pour la ligne marquée", 81 | "bookmarks.colors.overviewRuler.description": "Couleur du marqueur dans la règle d’aperçu pour les signets", 82 | "bookmarks.walkthroughs.title": "Commencer avec les signets", 83 | "bookmarks.walkthroughs.description": "En savoir plus sur les signets pour optimiser votre flux de travail", 84 | "bookmarks.walkthroughs.toggle.title": "Basculer les signets", 85 | "bookmarks.walkthroughs.toggle.description": "Ajoutez/Retirez facilement des signets à n’importe quelle position.\nUne icône est ajoutée à la fois dans la gouttière et la règle d’aperçu pour identifier facilement les lignes avec des signets.", 86 | "bookmarks.walkthroughs.navigateToBookmarks.title": "Naviguer vers les signets", 87 | "bookmarks.walkthroughs.navigateToBookmarks.description": "Accédez rapidement aux lignes marquées.\nRecherchez des signets en utilisant le contenu de la ligne et/ou les étiquettes.", 88 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "Définir des étiquettes pour vos signets", 89 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "Vous pouvez définir des étiquettes pour tout signet, leur donnant une signification spéciale autre que leur position.", 90 | "bookmarks.walkthroughs.exclusiveSideBar.title": "Barre latérale exclusive", 91 | "bookmarks.walkthroughs.exclusiveSideBar.description": "Une barre latérale exclusive avec tout ce dont vous avez besoin pour augmenter votre productivité.\n[Ouvrir la barre latérale](command:_bookmarks.openSideBar)", 92 | "bookmarks.walkthroughs.workingWithRemotes.title": "Travailler avec des distants", 93 | "bookmarks.walkthroughs.workingWithRemotes.description": "L’extension prend en charge les scénarios de [développement à distance](https://code.visualstudio.com/docs/remote/remote-overview). Même installée localement, vous pouvez utiliser les signets dans WSL, Containers, SSH et Codespaces.", 94 | "bookmarks.walkthroughs.customizingAppearance.title": "Personnaliser l’apparence", 95 | "bookmarks.walkthroughs.customizingAppearance.description": "Personnalisez la présentation des signets, leur icône, ligne et règle d’aperçu\n[Ouvrir les paramètres - Icône de gouttière](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[Ouvrir les paramètres - Ligne](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 96 | } 97 | -------------------------------------------------------------------------------- /package.nls.hi.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "बुकमार्क्स", 3 | "bookmarks.views.Explorer.name": "एक्सप्लोरर", 4 | "bookmarks.views.HelpAndFeedback.name": "मदद और सुझाव", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "बुकमार्क्स का उपयोग करने के लिए, पहले एक फ़ोल्डर या वर्कस्पेस खोलें।\n[फ़ोल्डर खोलें](command:_bookmarks.openFolderWelcome)\n[वर्कस्पेस खोलें](command:workbench.action.openWorkspace)\nVS कोड में बुकमार्क्स के उपयोग के बारे में अधिक जानने के लिए [दस्तावेज़ पढ़ें](http://github.com/alefragnani/vscode-bookmarks/#bookmarks)।", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "अभी तक कोई बुकमार्क नहीं है।\nबुकमार्क्स का उपयोग करने के लिए, संपादक में एक फ़ाइल खोलें।\n[फ़ाइल खोलें](command:workbench.action.quickOpen)\nVS कोड में बुकमार्क्स के उपयोग के बारे में अधिक जानने के लिए [दस्तावेज़ पढ़ें](http://github.com/alefragnani/vscode-bookmarks/#bookmarks)।", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "अभी तक कोई बुकमार्क नहीं है।\nबुकमार्क्स का उपयोग करने के लिए, फ़ाइल में किसी स्थान पर कर्सर रखें और कमांड चलाएँ:\n[बुकमार्क्स: टॉगल करें](command:bookmarks.toggle)\nVS कोड में बुकमार्क्स के उपयोग के बारे में अधिक जानने के लिए [दस्तावेज़ पढ़ें](http://github.com/alefragnani/vscode-bookmarks/#bookmarks)।", 8 | "bookmarks.editor.context.label": "बुकमार्क्स", 9 | "bookmarks.editor.title.label": "बुकमार्क्स", 10 | "bookmarks.commands.category.bookmarks": "बुकमार्क्स", 11 | "bookmarks.commands.category.bookmarks.selection": "बुकमार्क्स (चयन)", 12 | "bookmarks.commands.toggle.title": "टॉगल करें", 13 | "bookmarks.commands.jumpToNext.title": "अगले पर जाएँ", 14 | "bookmarks.commands.jumpToPrevious.title": "पिछले पर जाएँ", 15 | "bookmarks.commands.jumpTo.title": "दस्तावेज़/पंक्ति पर जाएँ", 16 | "bookmarks.commands.selectLines.title": "पंक्तियाँ चुनें", 17 | "bookmarks.commands.expandSelectionToNext.title": "चयन को अगली तक विस्तृत करें", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "चयन को पिछली तक विस्तृत करें", 19 | "bookmarks.commands.shrinkSelection.title": "चयन संक्षिप्त करें", 20 | "bookmarks.commands.list.title": "सूची", 21 | "bookmarks.commands.toggleLabeled.title": "लेबल टॉगल करें", 22 | "bookmarks.commands.refresh.title": "रीफ़्रेश करें", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "ट्री रूप में देखें", 24 | "bookmarks.commands.viewAsList#sideBar.title": "सूची रूप में देखें", 25 | "bookmarks.commands.openSettings.title": "सेटिंग्स खोलें", 26 | "bookmarks.commands.hidePosition.title": "स्थिति छुपाएँ", 27 | "bookmarks.commands.showPosition.title": "स्थिति दिखाएँ", 28 | "bookmarks.commands.clear.title": "साफ़ करें", 29 | "bookmarks.commands.clearFromFile.title": "फ़ाइल से साफ़ करें", 30 | "bookmarks.commands.deleteBookmark.title": "बुकमार्क हटाएँ", 31 | "bookmarks.commands.editLabel.title": "लेबल संपादित करें", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "बुकमार्क जोड़ें", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "लेबल वाला बुकमार्क जोड़ें", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "बुकमार्क हटाएँ", 35 | "bookmarks.commands.listFromAllFiles.title": "सभी फ़ाइलों से सूची", 36 | "bookmarks.commands.clearFromAllFiles.title": "सभी फ़ाइलों से साफ़ करें", 37 | "bookmarks.commands.whatsNew.title": "नया क्या है", 38 | "bookmarks.commands.whatsNewContextMenu.title": "नया क्या है", 39 | "bookmarks.commands.openFolderWelcome.title": "फ़ोल्डर खोलें", 40 | "bookmarks.commands.supportBookmarks.title": "बुकमार्क्स का समर्थन करें", 41 | "bookmarks.commands.openSideBar.title": "साइड बार खोलें", 42 | "bookmarks.configuration.title": "बुकमार्क्स", 43 | "bookmarks.configuration.saveBookmarksInProject.description": "बुकमार्क्स को प्रोजेक्ट/फ़ोल्डर में स्थानीय रूप से सहेजने (और पुनर्स्थापित) की अनुमति दें", 44 | "bookmarks.configuration.gutterIconPath.description": "बुकमार्क के रूप में प्रदर्शित होने वाली छवि का पथ", 45 | "bookmarks.configuration.gutterIconPath.deprecation": "`bookmarks.gutterIconFillColor` और `bookmarks.gutterIconBorderColor` का उपयोग करें", 46 | "bookmarks.configuration.gutterIconFillColor.description": "बुकमार्क आइकन का भराव रंग निर्दिष्ट करें", 47 | "bookmarks.configuration.gutterIconBorderColor.description": "बुकमार्क आइकन की सीमा का रंग निर्दिष्ट करें", 48 | "bookmarks.configuration.backgroundLineColor.description": "डेकोरेशन की पृष्ठभूमि का रंग", 49 | "bookmarks.configuration.backgroundLineColor.deprecation": "`workbench.colorCustomizations` में `bookmarks.lineBackground` का उपयोग करें", 50 | "bookmarks.configuration.navigateThroughAllFiles.description": "बुकमार्क्स को केवल वर्तमान फ़ाइल के बजाय सभी फ़ाइलों में नेविगेट करने की अनुमति दें", 51 | "bookmarks.configuration.wrapNavigation.description": "नेविगेशन को पहले और अंतिम बुकमार्क्स पर रैप करने की अनुमति दें", 52 | "bookmarks.configuration.useWorkaroundForFormatters.description": "ऐसे फॉर्मेटर्स के लिए वर्कअराउंड का उपयोग करें जो दस्तावेज़ परिवर्तन पर सूचित नहीं करते", 53 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "प्रयोगात्मक। नया स्टिकी इंजन सक्षम करें", 54 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "हटाई गई पंक्ति पर बुकमार्क को अगली पंक्ति में ले जाने की अनुमति दें", 55 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "बुकमार्क्स समाप्त होने पर चेतावनी दिखाएँ या नहीं", 56 | "bookmarks.configuration.showCommandsInContextMenu.description": "संदर्भ मेनू में बुकमार्क्स कमांड्स दिखाएँ", 57 | "bookmarks.configuration.sidebar.expanded.description": "साइड बार को विस्तारित रूप में दिखाएँ", 58 | "bookmarks.configuration.sideBar.countBadge.description": "सक्रियिटी बार आइकन पर काउंट बैज को नियंत्रित करता है", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "सभी फ़ाइलों से बुकमार्क्स की कुल संख्या दिखाएँ", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "बुकमार्क्स वाली फ़ाइलों की संख्या दिखाएँ", 61 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "काउंट बैज को अक्षम करें", 62 | "bookmarks.configuration.multicursor.toggleMode.description": "मल्टी कर्सर बुकमार्क टॉगल को कैसे संभाले, यह निर्दिष्ट करें", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "यदि किसी भी चयनित पंक्ति में बुकमार्क नहीं है, तो सभी में जोड़ें", 64 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "प्रत्येक पंक्ति पर अलग-अलग टॉगल करें", 65 | "bookmarks.configuration.label.suggestion.description": "बुकमार्क बनाते समय लेबल सुझाव कैसे काम करे", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "चयन का उपयोग न करें (मूल व्यवहार)", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "चयनित पाठ का सीधे उपयोग करें", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "चयनित पाठ का सुझाव दें, पुष्टि आवश्यक है", 69 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "चयनित पाठ या संपूर्ण पंक्ति का सुझाव दें", 70 | "bookmarks.configuration.revealLocation.description": "बुकमार्क्ड पंक्ति कहाँ दिखाई जाएगी", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "संपादक के शीर्ष पर प्रकट करें", 72 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "संपादक के केंद्र में प्रकट करें", 73 | "bookmarks.configuration.overviewRulerLane.description": "बुकमार्क्ड पंक्ति के लिए ओवरव्यू रूलर में लेन निर्दिष्ट करें", 74 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.none": "ओवरव्यू रूलर में न दिखाएँ", 75 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.left": "बाईं लेन में दिखाएँ", 76 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.center": "केंद्र लेन में दिखाएँ", 77 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.right": "दाईं लेन में दिखाएँ", 78 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.full": "पूरी ऊंचाई पर दिखाएँ", 79 | "bookmarks.colors.lineBackground.description": "बुकमार्क की गई पंक्ति की पृष्ठभूमि का रंग", 80 | "bookmarks.colors.lineBorder.description": "बुकमार्क लाइन के चारों ओर बॉर्डर रंग", 81 | "bookmarks.colors.overviewRuler.description": "बुकमार्क्स के लिए ओवरव्यू रूलर मार्कर का रंग", 82 | "bookmarks.walkthroughs.title": "बुकमार्क्स के साथ शुरुआत करें", 83 | "bookmarks.walkthroughs.description": "अपने कार्यप्रवाह को बेहतर बनाने के लिए बुकमार्क्स के बारे में जानें", 84 | "bookmarks.walkthroughs.toggle.title": "बुकमार्क्स टॉगल करें", 85 | "bookmarks.walkthroughs.toggle.description": "किसी भी स्थान पर आसानी से बुकमार्क जोड़ें/हटाएँ।\nगटर और ओवरव्यू रूलर में एक आइकन जोड़ा जाता है।", 86 | "bookmarks.walkthroughs.navigateToBookmarks.title": "बुकमार्क्स पर जाएँ", 87 | "bookmarks.walkthroughs.navigateToBookmarks.description": "बुकमार्क की गई पंक्तियों के बीच जल्दी से जाएँ।\nलाइन की सामग्री और लेबल का उपयोग करके खोजें।", 88 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "अपने बुकमार्क्स के लिए लेबल निर्धारित करें", 89 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "आप किसी भी बुकमार्क के लिए विशेष अर्थ देने के लिए लेबल निर्धारित कर सकते हैं।", 90 | "bookmarks.walkthroughs.exclusiveSideBar.title": "विशेष साइड बार", 91 | "bookmarks.walkthroughs.exclusiveSideBar.description": "एक विशेष साइड बार जो आपकी उत्पादकता बढ़ाता है।\n[साइड बार खोलें](command:_bookmarks.openSideBar)", 92 | "bookmarks.walkthroughs.workingWithRemotes.title": "रिमोट्स के साथ कार्य करना", 93 | "bookmarks.walkthroughs.workingWithRemotes.description": "यह एक्सटेंशन रिमोट डेवलपमेंट के साथ काम करता है जैसे WSL, कंटेनर, SSH और कोडस्पेस।", 94 | "bookmarks.walkthroughs.customizingAppearance.title": "रूप-रंग अनुकूलित करें", 95 | "bookmarks.walkthroughs.customizingAppearance.description": "बुकमार्क्स के आइकन, लाइन और ओवरव्यू रूलर को अनुकूलित करें।\n[सेटिंग्स खोलें - गटर आइकन](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[सेटिंग्स खोलें - लाइन](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 96 | } -------------------------------------------------------------------------------- /package.nls.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "Bookmarks", 3 | "bookmarks.views.Explorer.name": "Explorer", 4 | "bookmarks.views.HelpAndFeedback.name": "Help and Feedback", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "In order to use Bookmarks, you have to open a folder or workspace first.\n[Open a Folder](command:_bookmarks.openFolderWelcome)\n[Open a Workspace](command:workbench.action.openWorkspace)\nTo learn more about how to use Bookmarks in VS Code [read the docs](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "No bookmarks yet.\nIn order to use Bookmarks, you have to open a file in the editor.\n[Open a File](command:workbench.action.quickOpen)\nTo learn more about how to use Bookmarks in VS Code [read the docs](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "No bookmarks yet.\nIn order to use Bookmarks, place the cursor in any location in the file and run the command:\n[Bookmarks: Toggle](command:bookmarks.toggle)\nTo learn more about how to use Bookmarks in VS Code [read the docs](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 8 | "bookmarks.editor.context.label": "Bookmarks", 9 | "bookmarks.editor.title.label": "Bookmarks", 10 | "bookmarks.commands.category.bookmarks": "Bookmarks", 11 | "bookmarks.commands.category.bookmarks.selection": "Bookmarks (Selection)", 12 | "bookmarks.commands.toggle.title": "Toggle", 13 | "bookmarks.commands.jumpToNext.title": "Jump to Next", 14 | "bookmarks.commands.jumpToPrevious.title": "Jump to Previous", 15 | "bookmarks.commands.jumpTo.title": "Jump to Document/Line", 16 | "bookmarks.commands.selectLines.title": "Select Lines", 17 | "bookmarks.commands.expandSelectionToNext.title": "Expand Selection to Next", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "Expand Selection to Previous", 19 | "bookmarks.commands.shrinkSelection.title": "Shrink Selection", 20 | "bookmarks.commands.list.title": "List", 21 | "bookmarks.commands.toggleLabeled.title": "Toggle Labeled", 22 | "bookmarks.commands.refresh.title": "Refresh", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "View as Tree", 24 | "bookmarks.commands.viewAsList#sideBar.title": "View as List", 25 | "bookmarks.commands.openSettings.title": "Open Settings", 26 | "bookmarks.commands.hidePosition.title": "Hide Position", 27 | "bookmarks.commands.showPosition.title": "Show Position", 28 | "bookmarks.commands.clear.title": "Clear", 29 | "bookmarks.commands.clearFromFile.title": "Clear", 30 | "bookmarks.commands.deleteBookmark.title": "Delete", 31 | "bookmarks.commands.editLabel.title": "Edit Label", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "Add Bookmark", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "Add Labeled Bookmark", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "Remove Bookmark", 35 | "bookmarks.commands.listFromAllFiles.title": "List from All Files", 36 | "bookmarks.commands.clearFromAllFiles.title": "Clear from All Files", 37 | "bookmarks.commands.whatsNew.title": "What's New", 38 | "bookmarks.commands.whatsNewContextMenu.title": "What's New", 39 | "bookmarks.commands.openFolderWelcome.title": "Open Folder", 40 | "bookmarks.commands.supportBookmarks.title": "Support Bookmarks", 41 | "bookmarks.commands.openSideBar.title": "Open Side Bar", 42 | "bookmarks.configuration.title": "Bookmarks", 43 | "bookmarks.configuration.saveBookmarksInProject.description": "Allow bookmarks to be saved (and restored) locally in the opened Project/Folder instead of VS Code", 44 | "bookmarks.configuration.gutterIconPath.description": "Path to another image to be presented as Bookmark", 45 | "bookmarks.configuration.gutterIconPath.deprecation": "Use `bookmarks.gutterIconFillColor` and `bookmarks.gutterIconBorderColor` instead", 46 | "bookmarks.configuration.gutterIconFillColor.description": "Specifies the fill color of the bookmark icon", 47 | "bookmarks.configuration.gutterIconBorderColor.description": "Specifies the border color of the bookmark icon", 48 | "bookmarks.configuration.backgroundLineColor.description": "Background color of the decoration. Use rgba() and define transparent background colors to play well with other decorations. Ex.: rgba(21, 126, 251, 0.1)", 49 | "bookmarks.configuration.backgroundLineColor.deprecation": "Use `bookmarks.lineBackground` in `workbench.colorCustomizations` instead", 50 | "bookmarks.configuration.navigateThroughAllFiles.description": "Allow navigation look for bookmarks in all files in the project, instead of only the current", 51 | "bookmarks.configuration.wrapNavigation.description": "Allow navigation to wrap around at the first and last bookmarks in scope (current file or all files)", 52 | "bookmarks.configuration.useWorkaroundForFormatters.description": "Use a workaround for formatters like Prettier, which does not notify on document changes and messes Bookmark's Sticky behavior", 53 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "Experimental. Enables the new Sticky engine with support for Formatters, improved source change detections and undo operations", 54 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "Specifies whether bookmarks on deleted line should be kept on file, moving it down to the next line, instead of deleting it with the line where it was toggled.", 55 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "Specifies whether a notification will be shown when attempting to navigate between bookmarks when no more exist.", 56 | "bookmarks.configuration.showCommandsInContextMenu.description": "Specifies whether Bookmarks commands are displayed on the context menu", 57 | "bookmarks.configuration.sidebar.expanded.description": "Specifies whether the Side Bar show be displayed expanded", 58 | "bookmarks.configuration.sideBar.countBadge.description": "Controls the count badge on the Bookmark icon on the Activity Bar", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "Show the sum of bookmarks from all files", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "Show the sum of files that contains some bookmarks", 61 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "Disable the Bookmarks count badge", 62 | "bookmarks.configuration.multicursor.toggleMode.description": "Specifies how multi cursor handles already bookmarked lines", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "Creates bookmarks in all selected lines at once, if at least one of the lines don't have a bookmark", 64 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "Literally toggles a bookmark in each line, instead of making all lines equal", 65 | "bookmarks.configuration.label.suggestion.description": "Specifies how labels are suggested when creating bookmarks", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "Don't use the selection (original behavior)", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "Use the selected text (if available) directly, no confirmation required", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "Suggests the selected text (if available). You still need to confirm.", 69 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "Suggests the selected text (if available) or the entire line (when has no selection). You still need to confirm.", 70 | "bookmarks.configuration.revealLocation.description": "Specifies the location where the bookmarked line will be revealed", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "Reveals the bookmarked line at the top of the editor", 72 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "Reveals the bookmarked line in the center of the editor", 73 | "bookmarks.configuration.overviewRulerLane.description": "Specifies the lane in the overview ruler where the bookmarked line will be shown", 74 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.none": "Don't show the bookmarked line in the overview ruler", 75 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.left": "Show the bookmarked line in the left lane of the overview ruler", 76 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.center": "Show the bookmarked line in the center lane of the overview ruler", 77 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.right": "Show the bookmarked line in the right lane of the overview ruler", 78 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.full": "Show the bookmarked line in the full height of the overview ruler", 79 | "bookmarks.colors.lineBackground.description": "Background color for the bookmarked line", 80 | "bookmarks.colors.lineBorder.description": "Background color for the border around the bookmarked line", 81 | "bookmarks.colors.overviewRuler.description": "Overview ruler marker color for bookmarks", 82 | "bookmarks.walkthroughs.title": "Get Started with Bookmarks", 83 | "bookmarks.walkthroughs.description": "Learn more about Bookmarks to optimize your workflow", 84 | "bookmarks.walkthroughs.toggle.title": "Toggle Bookmarks", 85 | "bookmarks.walkthroughs.toggle.description": "Easily Mark/Unmark Bookmarks at any position.\nAn icon is added to both the gutter and overview ruler to easily identify the lines with Bookmarks.", 86 | "bookmarks.walkthroughs.navigateToBookmarks.title": "Navigate to Bookmarks", 87 | "bookmarks.walkthroughs.navigateToBookmarks.description": "Quickly jump between bookmarked lines.\nSearch bookmarks using the line's content and/or labels.", 88 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "Define labels for your bookmarks", 89 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "You can define labels for any bookmark, giving them an special meaning other than its position.", 90 | "bookmarks.walkthroughs.exclusiveSideBar.title": "Exclusive Side Bar", 91 | "bookmarks.walkthroughs.exclusiveSideBar.description": "An exclusive Side Bar with everything you need to increase your productivity.\n[Open Side Bar](command:_bookmarks.openSideBar)", 92 | "bookmarks.walkthroughs.workingWithRemotes.title": "Working with Remotes", 93 | "bookmarks.walkthroughs.workingWithRemotes.description": "The extension support [Remote Development](https://code.visualstudio.com/docs/remote/remote-overview) scenarios. Even installed locally, you can use Bookmarks in WSL, Containers, SSH and Codespaces.", 94 | "bookmarks.walkthroughs.customizingAppearance.title": "Customizing Appearance", 95 | "bookmarks.walkthroughs.customizingAppearance.description": "Customize how Bookmarks are presented, its icon, line and overview ruler\n[Open Settings - Gutter Icon](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[Open Settings - Line](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 96 | } -------------------------------------------------------------------------------- /package.nls.pl.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "Zakładki", 3 | "bookmarks.views.Explorer.name": "Eksplorator", 4 | "bookmarks.views.HelpAndFeedback.name": "Pomoc i opinie", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "Aby używać Zakładek, musisz najpierw otworzyć folder lub przestrzeń roboczą.\n[Otwórz folder](command:_bookmarks.openFolderWelcome)\n[Otwórz przestrzeń roboczą](command:workbench.action.openWorkspace)\nAby dowiedzieć się więcej o używaniu Zakładek w VS Code [przeczytaj dokumentację](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "Jeszcze nie ma zakładek.\nAby używać Zakładek, musisz otworzyć plik w edytorze.\n[Otwórz plik](command:workbench.action.quickOpen)\nAby dowiedzieć się więcej o używaniu Zakładek w VS Code [przeczytaj dokumentację](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "Jeszcze nie ma zakładek.\nAby używać Zakładek, umieść kursor w dowolnym miejscu w pliku i uruchom polecenie:\n[Zakładki: Przełącz](command:bookmarks.toggle)\nAby dowiedzieć się więcej o używaniu Zakładek w VS Code [przeczytaj dokumentację](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 8 | "bookmarks.editor.context.label": "Zakładki", 9 | "bookmarks.editor.title.label": "Zakładki", 10 | "bookmarks.commands.category.bookmarks": "Zakładki", 11 | "bookmarks.commands.category.bookmarks.selection": "Zakładki (Wybór)", 12 | "bookmarks.commands.toggle.title": "Przełącz", 13 | "bookmarks.commands.jumpToNext.title": "Skocz do następnego", 14 | "bookmarks.commands.jumpToPrevious.title": "Skocz do poprzedniego", 15 | "bookmarks.commands.jumpTo.title": "Skocz do dokumentu/linii", 16 | "bookmarks.commands.selectLines.title": "Wybierz linie", 17 | "bookmarks.commands.expandSelectionToNext.title": "Rozszerz zaznaczenie do następnego", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "Rozszerz zaznaczenie do poprzedniego", 19 | "bookmarks.commands.shrinkSelection.title": "Zmniejsz zaznaczenie", 20 | "bookmarks.commands.list.title": "Lista", 21 | "bookmarks.commands.toggleLabeled.title": "Przełącz z etykietą", 22 | "bookmarks.commands.refresh.title": "Odśwież", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "Pokaż jako drzewo", 24 | "bookmarks.commands.viewAsList#sideBar.title": "Pokaż jako listę", 25 | "bookmarks.commands.openSettings.title": "Otwórz ustawienia", 26 | "bookmarks.commands.hidePosition.title": "Ukryj pozycję", 27 | "bookmarks.commands.showPosition.title": "Pokaż pozycję", 28 | "bookmarks.commands.clear.title": "Wyczyść", 29 | "bookmarks.commands.clearFromFile.title": "Wyczyść", 30 | "bookmarks.commands.deleteBookmark.title": "Usuń", 31 | "bookmarks.commands.editLabel.title": "Edytuj etykietę", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "Dodaj zakładkę", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "Dodaj zakładkę z etykietą", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "Usuń zakładkę", 35 | "bookmarks.commands.listFromAllFiles.title": "Lista ze wszystkich plików", 36 | "bookmarks.commands.clearFromAllFiles.title": "Wyczyść ze wszystkich plików", 37 | "bookmarks.commands.whatsNew.title": "Co nowego", 38 | "bookmarks.commands.whatsNewContextMenu.title": "Co nowego", 39 | "bookmarks.commands.openFolderWelcome.title": "Otwórz folder", 40 | "bookmarks.commands.supportBookmarks.title": "Wsparcie dla Zakładek", 41 | "bookmarks.commands.openSideBar.title": "Otwórz pasek boczny", 42 | "bookmarks.configuration.title": "Zakładki", 43 | "bookmarks.configuration.saveBookmarksInProject.description": "Pozwala na zapisywanie (i przywracanie) zakładek lokalnie w otwartym Projekcie/Folderze zamiast w VS Code", 44 | "bookmarks.configuration.gutterIconPath.description": "Ścieżka do innego obrazu, który będzie prezentowany jako ikona Zakładki", 45 | "bookmarks.configuration.gutterIconPath.deprecation": "Zamiast tego użyj `bookmarks.gutterIconFillColor` i `bookmarks.gutterIconBorderColor`", 46 | "bookmarks.configuration.gutterIconFillColor.description": "Określa kolor wypełnienia ikony zakładki", 47 | "bookmarks.configuration.gutterIconBorderColor.description": "Określa kolor obramowania ikony zakładki", 48 | "bookmarks.configuration.backgroundLineColor.description": "Kolor tła dekoracji. Użyj rgba() i zdefiniuj przezroczyste kolory tła, aby dobrze współgrały z innymi dekoracjami. Np.: rgba(21, 126, 251, 0.1)", 49 | "bookmarks.configuration.backgroundLineColor.deprecation": "Zamiast tego użyj `bookmarks.lineBackground` w `workbench.colorCustomizations`", 50 | "bookmarks.configuration.navigateThroughAllFiles.description": "Pozwala na wyszukiwanie zakładek we wszystkich plikach w projekcie, zamiast tylko w bieżącym", 51 | "bookmarks.configuration.wrapNavigation.description": "Pozwala na nawigację do pierwszej i ostatniej zakładki w zakresie (bieżący plik lub wszystkie pliki)", 52 | "bookmarks.configuration.useWorkaroundForFormatters.description": "Używa obejścia dla formatujących, takich jak Prettier, które nie powiadamiają o zmianach w dokumencie i wprowadzają zamieszanie w zachowaniu zakładek Sticky", 53 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "Eksperymentalne. Włącza nowy silnik Sticky z wsparciem dla formatujących, ulepszoną detekcją zmian w źródłach i operacjami cofania", 54 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "Określa, czy zakładki na usuniętej linii powinny być zachowane w pliku, przenosząc je w dół do następnej linii, zamiast usuwać je wraz z linią, na której zostały przełączone.", 55 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "Określa, czy powiadomienie zostanie pokazane podczas próby nawigacji między zakładkami, gdy nie ma więcej zakładek.", 56 | "bookmarks.configuration.showCommandsInContextMenu.description": "Określa, czy polecenia Zakładek są wyświetlane w menu kontekstowym", 57 | "bookmarks.configuration.sidebar.expanded.description": "Określa, czy pasek boczny ma być wyświetlany rozwinięty", 58 | "bookmarks.configuration.sideBar.countBadge.description": "Kontroluje odznakę z liczbą na ikonie Zakładki na pasku aktywności", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "Pokaż sumę zakładek ze wszystkich plików", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "Pokaż sumę plików zawierających jakieś zakładki", 61 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "Wyłącz odznakę liczby Zakładek", 62 | "bookmarks.configuration.multicursor.toggleMode.description": "Określa, jak wielokursor obsługuje już oznaczone linie zakładkami", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "Tworzy zakładki we wszystkich zaznaczonych liniach naraz, jeśli przynajmniej jedna z linii nie ma zakładki", 64 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "Dosłownie przełącza zakładkę w każdej linii, zamiast czynić wszystkie linie równymi", 65 | "bookmarks.configuration.label.suggestion.description": "Określa, jak sugerowane są etykiety podczas tworzenia zakładek", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "Nie używaj zaznaczenia (oryginalne zachowanie)", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "Użyj bezpośrednio zaznaczonego tekstu (jeśli dostępny), bez wymaganej potwierdzenia", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "Sugeruje zaznaczony tekst (jeśli dostępny). Nadal wymagane jest potwierdzenie.", 69 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "Sugeruje zaznaczony tekst (jeśli dostępny) lub całą linię (gdy nie ma zaznaczenia). Nadal wymagane jest potwierdzenie.", 70 | "bookmarks.configuration.revealLocation.description": "Określa miejsce, w którym zostanie ujawniona zakładkowana linia", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "Ujawnia zakładkowaną linię na górze edytora", 72 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "Ujawnia zakładkowaną linię w centrum edytora", 73 | "bookmarks.colors.lineBackground.description": "Kolor tła dla zakładkowanej linii", 74 | "bookmarks.colors.lineBorder.description": "Kolor tła dla obramowania wokół zakładkowanej linii", 75 | "bookmarks.colors.overviewRuler.description": "Kolor znacznika na linijce przeglądu dla zakładek", 76 | "bookmarks.walkthroughs.title": "Rozpocznij pracę z Zakładkami", 77 | "bookmarks.walkthroughs.description": "Dowiedz się więcej o Zakładkach, aby zoptymalizować swój przepływ pracy", 78 | "bookmarks.walkthroughs.toggle.title": "Przełączanie Zakładek", 79 | "bookmarks.walkthroughs.toggle.description": "Łatwo oznacz/odznacz Zakładki w dowolnej pozycji.\nIkona zostaje dodana zarówno do marginesu jak i linijki przeglądu, aby łatwo identyfikować linie z Zakładkami.", 80 | "bookmarks.walkthroughs.navigateToBookmarks.title": "Nawigacja do Zakładek", 81 | "bookmarks.walkthroughs.navigateToBookmarks.description": "Szybko przeskakuj między zakładkowanymi liniami.\nWyszukuj zakładki używając treści linii i/lub etykiet.", 82 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "Definiuj etykiety dla swoich Zakładek", 83 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "Możesz zdefiniować etykiety dla dowolnej zakładki, nadając im specjalne znaczenie inne niż ich pozycja.", 84 | "bookmarks.walkthroughs.exclusiveSideBar.title": "Ekskluzywny Pasek Boczny", 85 | "bookmarks.walkthroughs.exclusiveSideBar.description": "Ekskluzywny Pasek Boczny z wszystkim, czego potrzebujesz, aby zwiększyć swoją produktywność.\n[Otwórz Pasek Boczny](command:_bookmarks.openSideBar)", 86 | "bookmarks.walkthroughs.workingWithRemotes.title": "Praca z Zdalnymi", 87 | "bookmarks.walkthroughs.workingWithRemotes.description": "Rozszerzenie obsługuje scenariusze [Zdalnego Rozwoju](https://code.visualstudio.com/docs/remote/remote-overview). Nawet zainstalowane lokalnie, możesz używać Zakładek w WSL, Kontenerach, SSH i Codespaces.", 88 | "bookmarks.walkthroughs.customizingAppearance.title": "Dostosowywanie Wyglądu", 89 | "bookmarks.walkthroughs.customizingAppearance.description": "Dostosuj sposób prezentacji Zakładek, ich ikonę, linię i linijkę przeglądu\n[Otwórz Ustawienia - Ikona Marginesu](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[Otwórz Ustawienia - Linia](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 90 | } 91 | -------------------------------------------------------------------------------- /package.nls.pt-br.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "Bookmarks", 3 | "bookmarks.views.Explorer.name": "Explorer", 4 | "bookmarks.views.HelpAndFeedback.name": "Ajuda e Comentários", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "Para usar Bookmarks, você deve primeiro abrir uma pasta ou uma workspace.\n[Abrir uma Pasta](command:_bookmarks.openFolderWelcome)\n[Abrir um Workspace](command:workbench.action.openWorkspace)\nPara saber mais sobre como usar Bookmarks no VS Code [leia a documentação](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "Sem bookmarks ainda.\nPara usar Bookmarks, você deve abrir um arquivo no editor.\n[Abrir um arquivo](command:workbench.action.quickOpen)\nPara saber mais sobre como usar Bookmarks no VS Code [leia a documentação](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "Sem bookmarks ainda.\nPara usar Bookmarks, posicione o cursor em qualquer lugar no arquivo e execute o comando:\n[Bookmarks: Toggle](command:bookmarks.toggle)\nPara saber mais sobre como usar Bookmarks no VS Code [leia a documentação](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 8 | "bookmarks.editor.context.label": "Bookmarks", 9 | "bookmarks.editor.title.label": "Bookmarks", 10 | "bookmarks.commands.category.bookmarks": "Bookmarks", 11 | "bookmarks.commands.category.bookmarks.selection": "Bookmarks (Seleção)", 12 | "bookmarks.commands.toggle.title": "Alternar", 13 | "bookmarks.commands.jumpToNext.title": "Pular para o Próximo", 14 | "bookmarks.commands.jumpToPrevious.title": "Pular para o Anterior", 15 | "bookmarks.commands.jumpTo.title": "Pular para o Documento/Linha", 16 | "bookmarks.commands.selectLines.title": "Selecionar Linhas", 17 | "bookmarks.commands.expandSelectionToNext.title": "Expandir Seleção para o Próximo", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "Expandir Seleção para o Anterior", 19 | "bookmarks.commands.shrinkSelection.title": "Contrair Seleção", 20 | "bookmarks.commands.list.title": "Listar", 21 | "bookmarks.commands.toggleLabeled.title": "Alterar Rotulado", 22 | "bookmarks.commands.refresh.title": "Atualizar", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "Exibir como Árvore", 24 | "bookmarks.commands.viewAsList#sideBar.title": "Exibir como Lista", 25 | "bookmarks.commands.openSettings.title": "Abrir Configurações", 26 | "bookmarks.commands.hidePosition.title": "Ocultar Posição", 27 | "bookmarks.commands.showPosition.title": "Mostrar Posição", 28 | "bookmarks.commands.clear.title": "Limpar", 29 | "bookmarks.commands.clearFromFile.title": "Limpar", 30 | "bookmarks.commands.deleteBookmark.title": "Apagar", 31 | "bookmarks.commands.editLabel.title": "Editar Rótulo", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "Adicionar Bookmark", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "Adicionar Bookmark Rotulado", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "Remover Bookmark", 35 | "bookmarks.commands.listFromAllFiles.title": "Listar de Todos os Arquivos", 36 | "bookmarks.commands.clearFromAllFiles.title": "Limpar de Todos os Arquivos", 37 | "bookmarks.commands.whatsNew.title": "Novidades", 38 | "bookmarks.commands.whatsNewContextMenu.title": "Novidades", 39 | "bookmarks.commands.openFolderWelcome.title": "Abrir Pasta", 40 | "bookmarks.commands.supportBookmarks.title": "Suporte Bookmarks", 41 | "bookmarks.commands.openSideBar.title": "Abrir Barra Lateral", 42 | "bookmarks.configuration.title": "Bookmarks", 43 | "bookmarks.configuration.saveBookmarksInProject.description": "Permite que os Bookmarks sejam salvos (e restaurados) localmente no Projeto/Pasta aberto ao invés do VS Code", 44 | "bookmarks.configuration.gutterIconPath.description": "Caminho para outra imagem a ser apresentada como Bookmark", 45 | "bookmarks.configuration.gutterIconPath.deprecation": "Use `bookmarks.gutterIconFillColor` e `bookmarks.gutterIconBorderColor`", 46 | "bookmarks.configuration.gutterIconFillColor.description": "Especifica a cor de preenchimento do ícone do marcador", 47 | "bookmarks.configuration.gutterIconBorderColor.description": "Especifica a cor da borda do ícone do marcador", 48 | "bookmarks.configuration.backgroundLineColor.description": "Cor de fundo da decoração. Use rgba() e defina cores de fundo transparentes para combinarem bem com outras decorações. Ex.: rgba(21, 126, 251, 0.1)", 49 | "bookmarks.configuration.backgroundLineColor.deprecation": "Use `bookmarks.lineBackground` em `workbench.colorCustomizations`", 50 | "bookmarks.configuration.navigateThroughAllFiles.description": "Permite que a navegação apresente Bookmarks em todos os arquivos do projeto, ao invés de apenas no arquivo corrente", 51 | "bookmarks.configuration.wrapNavigation.description": "Permite que a navegação fique em círculos ente o primeiro e último Bookmark no escopo (arquivo corrente ou todos os arquivos)", 52 | "bookmarks.configuration.useWorkaroundForFormatters.description": "Use a solução alternativa para formatadores como Prettier, os quais não notificam de mudanças no documento e acabam bagunçando o comportamento Sticky (atrelado a linha de código) do Bookmark", 53 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "Experimental. Ativa o novo motor Sticky engine com suporte a Formatadores, detecção de mudança de fonte e operações de desfazer melhoradas", 54 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "Determina se bookmarks em linhas excluídas devem ser mantidos no arquivo, movendo-os para a próxima linha, ao invés de excluídos com a linha onde se encontravam", 55 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "Define se uma notificação deve ser apresentada quando navegando entre bookmarks, não houverem mais bookmarks.", 56 | "bookmarks.configuration.showCommandsInContextMenu.description": "Define se os comandos Bookmarks são apresentados no menu de contexto", 57 | "bookmarks.configuration.sidebar.expanded.description": "Define se a Side Bar deve ser exibida expandida", 58 | "bookmarks.configuration.sideBar.countBadge.description": "Controla o emblema de contagem no ícone de Bookmarks na barra de atividades", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "Mostrar a soma dos Bookmarks de todos os arquivos", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "Mostrar a soma de arquivos que contém alguns Bookmarks", 61 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "Desative o emblema de contagem de Bookmarks", 62 | "bookmarks.configuration.multicursor.toggleMode.description": "Define como funciona são tratadas as linhas que já possuem bookmark quando utiliza-se multicursor", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "Cria bookmarks em todas as linhas selecionadas de uma só vez, se ao menos uma linha não tiver bookmark", 64 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "Literalmente alterna o bookmark em cada linha, ao invés de deixar todas as linhas iguais", 65 | "bookmarks.configuration.label.suggestion.description": "Define como rótulos são sugeridos quando se cria Bookmarks", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "Não usa a seleção (comportamento padrão).", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "Usa o texto selecionado (se disponível) diretamente, sem solicitar confirmação.", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "Sugere o texto selecionado (se disponível). Você ainda precisa confirmar.", 69 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "Sugere o texto selecionado (se disponível) ou a toda a linha (quando não houver seleção). Você ainda precisa confirmar.", 70 | "bookmarks.configuration.revealLocation.description": "Especifica o local onde a linha com bookmark será exibida", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "Exibe a linha com bookmark no topo do editor", 72 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "Exibe a linha com bookmark no centro do editor", 73 | "bookmarks.configuration.overviewRulerLane.description": "Especifica a faixa na régua de visão geral onde a linha com bookmark será exibida", 74 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.none": "Não mostrar a linha com bookmark na régua de visão geral", 75 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.left": "Mostrar a linha com bookmark na faixa esquerda da régua de visão geral", 76 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.center": "Mostrar a linha com bookmark na faixa central da régua de visão geral", 77 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.right": "Mostrar a linha com bookmark na faixa direita da régua de visão geral", 78 | "bookmarks.configuration.overviewRulerLane.enumDescriptions.full": "Mostrar a linha com bookmark na altura total da régua de visão geral", 79 | "bookmarks.colors.lineBackground.description": "Cor de fundo para linha com Bookmark", 80 | "bookmarks.colors.lineBorder.description": "Cor de fundo da borda ao redor da linha com Bookmark", 81 | "bookmarks.colors.overviewRuler.description": "Cor do marcador de régua com Bookmarks", 82 | "bookmarks.walkthroughs.title": "Começar a trabalhar com Bookmarks", 83 | "bookmarks.walkthroughs.description": "Aprenda mais sobre Bookmarks para otimizar seu trabalho", 84 | "bookmarks.walkthroughs.toggle.title": "Alternar Bookmarks", 85 | "bookmarks.walkthroughs.toggle.description": "Facilmente adicione/remova Bookmarks em qualquer posição.\nUm ícone é adicionado tanto a medianiz quanto a régua de visão geral para identificar facilmente as linhas com Bookmarks.", 86 | "bookmarks.walkthroughs.navigateToBookmarks.title": "Navegar para Bookmarks", 87 | "bookmarks.walkthroughs.navigateToBookmarks.description": "Facilmente pule entre linhas com Bookmarks.\nProcure Bookmarks usando o conteúdo da linha e/ou seus rótulos.", 88 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "Defina rótulos para seus Bookmarks", 89 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "Você pode definir rótulos para qualquer bookmark, dando a eles um significado especial além da sua posição..", 90 | "bookmarks.walkthroughs.exclusiveSideBar.title": "Barra Lateral Exclusiva", 91 | "bookmarks.walkthroughs.exclusiveSideBar.description": "Uma Barra Lateral exclusiva com tudo que você precisa para aumentar sua produtividade.\n[Abrir Barra Lateral](command:_bookmarks.openSideBar)", 92 | "bookmarks.walkthroughs.workingWithRemotes.title": "Trabalhando com Remotos", 93 | "bookmarks.walkthroughs.workingWithRemotes.description": "A extensão suporta cenários de [Desenvolvimento Remoto(https://code.visualstudio.com/docs/remote/remote-overview). Mesmo instalada localmente, você pode usar Bookmarks em WSL, Containers, SSH e Codespaces.", 94 | "bookmarks.walkthroughs.customizingAppearance.title": "Personalizando a Aparência", 95 | "bookmarks.walkthroughs.customizingAppearance.description": "Personalize como Bookmarks são apresentados, seu ícone, linha e régua de visão geral\n[Abrir Configurações - Ícon Medianiz](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[Abrir Configurações - Linha](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 96 | } -------------------------------------------------------------------------------- /package.nls.ru.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "Закладки", 3 | "bookmarks.views.Explorer.name": "Проводник", 4 | "bookmarks.views.HelpAndFeedback.name": "Справка и обратная связь", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "Чтобы использовать закладки, сначала нужно открыть папку или рабочее пространство.\n[Открыть папку]](command:_bookmarks.openFolderWelcome)\n[Открыть рабочее пространство](command:workbench.action.openWorkspace)\nЧтобы узнать больше о том, как использовать закладки в VS Code [читайте документацию](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "Закладок пока нет.\nЧтобы использовать закладки, нужно открыть файл в редакторе.\n[Открыть файл](command:workbench.action.quickOpen)\nЧтобы узнать больше о том, как использовать закладки в VS Code [читайте документацию](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "Закладок пока нет.\nЧтобы использовать закладки, установите курсор в любое место файла и выполните команду:\n[Bookmarks: Toggle](command:bookmarks.toggle)\nЧтобы узнать больше о том, как использовать закладки в VS Code [читайте документацию](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 8 | "bookmarks.editor.context.label": "Закладки", 9 | "bookmarks.editor.title.label": "Закладки", 10 | "bookmarks.commands.category.bookmarks": "Закладки", 11 | "bookmarks.commands.category.bookmarks.selection": "Закладки (Выделение)", 12 | "bookmarks.commands.toggle.title": "добавить/убрать", 13 | "bookmarks.commands.jumpToNext.title": "Перейти к следующей", 14 | "bookmarks.commands.jumpToPrevious.title": "Перейти к предыдущей", 15 | "bookmarks.commands.jumpTo.title": "Перейти к документу/строке", 16 | "bookmarks.commands.selectLines.title": "Выделить линию", 17 | "bookmarks.commands.expandSelectionToNext.title": "Сделать выделение до следующего", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "Сделать выделение до предыдущего", 19 | "bookmarks.commands.shrinkSelection.title": "Уменьшить выделение", 20 | "bookmarks.commands.list.title": "Список", 21 | "bookmarks.commands.toggleLabeled.title": "Переключить маркер", 22 | "bookmarks.commands.refresh.title": "Обновить", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "Просмотреть как дерево", 24 | "bookmarks.commands.viewAsList#sideBar.title": "Просмотреть как список", 25 | "bookmarks.commands.openSettings.title": "Открыть настройки", 26 | "bookmarks.commands.hidePosition.title": "Скрыть позицию", 27 | "bookmarks.commands.showPosition.title": "Показать позицию", 28 | "bookmarks.commands.clear.title": "Очистить", 29 | "bookmarks.commands.clearFromFile.title": "Очистить", 30 | "bookmarks.commands.deleteBookmark.title": "Удалить", 31 | "bookmarks.commands.editLabel.title": "Изменить маркер", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "Добавить закладку", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "Добавить закладку с меткой", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "Удалить закладку", 35 | "bookmarks.commands.listFromAllFiles.title": "Список из всех файлов", 36 | "bookmarks.commands.clearFromAllFiles.title": "Очистить из всех файлов", 37 | "bookmarks.commands.whatsNew.title": "Что нового", 38 | "bookmarks.commands.whatsNewContextMenu.title": "Что нового", 39 | "bookmarks.commands.openFolderWelcome.title": "Открыть папку", 40 | "bookmarks.commands.supportBookmarks.title": "Поддержать проект Bookmarks", 41 | "bookmarks.configuration.title": "Закладки", 42 | "bookmarks.configuration.saveBookmarksInProject.description": "Разрешить локальное сохранение (и восстановление) закладок в открытом Проекте/Папке вместо VSCoda", 43 | "bookmarks.configuration.gutterIconPath.description": "Путь к другому изображению, которое будет представлено в виде маркера закладки", 44 | "bookmarks.configuration.gutterIconPath.deprecation": "Вместо этого используйте `bookmarks.gutterIconFillColor` и `bookmarks.gutterIconBorderColor`", 45 | "bookmarks.configuration.gutterIconFillColor.description": "Определяет цвет заливки значка закладки", 46 | "bookmarks.configuration.gutterIconBorderColor.description": "Определяет цвет границы значка закладки", 47 | "bookmarks.configuration.backgroundLineColor.description": "Цвет фона (background) строки на которую установлена закладка. Используйте rgba(), чтобы задать прозрачные цвета фона для хорошего сочетания с другим оформлением. Пример: rgba(21, 126, 251, 0,1)", 48 | "bookmarks.configuration.backgroundLineColor.deprecation": "Вместо этого используйте `bookmarks.lineBackground` в `workbench.colorCustomizations`", 49 | "bookmarks.configuration.navigateThroughAllFiles.description": "Разрешить навигатору искать закладки во всех файлах проекта, а не только в текущем", 50 | "bookmarks.configuration.wrapNavigation.description": "Разрешить навигацию по первой и последней закладкам в области (текущий файл или все файлы)", 51 | "bookmarks.configuration.useWorkaroundForFormatters.description": "Использовать обходной путь для форматировщиков таких как Prettier, который не уведомляет об изменениях документа и путает поведение прикреплённой закладки", 52 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "Экспериментальный. Включает новый механизм Sticky с поддержкой форматеров, улучшенным обнаружением изменений источника и операциями отмены", 53 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "Указывает, должны ли закладки на удаленной строке сохраняться в файле, перемещая его вниз на следующую строку, вместо того, чтобы удалять его вместе со строкой, в которой он был переключен.", 54 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "Указывает, будет ли отображаться уведомление при попытке перехода между закладками, когда их больше нет.", 55 | "bookmarks.configuration.showCommandsInContextMenu.description": "Определяет, отображаются ли команды закладок в контекстном меню", 56 | "bookmarks.configuration.sidebar.expanded.description": "Определяет, будет ли отображаться развернутая боковая панель.", 57 | "bookmarks.configuration.sideBar.countBadge.description": "Управляет значком счетчика на значке закладки на панели действий.", 58 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "Показать сумму закладок из всех файлов", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "Показать сумму файлов, содержащих некоторые закладки", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "Отключить значок счетчика закладок", 61 | "bookmarks.configuration.multicursor.toggleMode.description": "Определяет, как несколько курсоров обрабатывают уже отмеченные закладки строки", 62 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "Создает закладки сразу во всех выбранных строках, если хотя бы в одной из строк нет закладки", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "Буквально переключает закладку в каждой строке вместо того, чтобы сделать все строки равными", 64 | "bookmarks.configuration.label.suggestion.description": "Указывает, как будут предлагаться ярлыки при создании закладок.", 65 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "Не использовать выделение (исходное поведение)", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "Использовать выделенный текст (если есть) напрямую, подтверждение не требуется", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "Предлагает выделенный текст (если есть). Вам все еще нужно подтвердить.", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "Предлагает выделенный текст (если есть) или всю строку (если нет выделения). Вам все еще нужно подтвердить.", 69 | "bookmarks.configuration.revealLocation.description": "Указывает место, где будет отображаться строка с закладкой.", 70 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "Показывает строку с закладкой в верхней части редактора.", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "Показывает строку с закладкой в центре редактора.", 72 | "bookmarks.colors.lineBackground.description": "Цвет фона для отмеченной строки", 73 | "bookmarks.colors.lineBorder.description": "Цвет фона для границы вокруг линии с закладкой", 74 | "bookmarks.colors.overviewRuler.description": "Обзор цвета маркера линейки для закладок" 75 | } -------------------------------------------------------------------------------- /package.nls.tr.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "Yer İşaretleri", 3 | "bookmarks.views.Explorer.name": "Tarayıcı", 4 | "bookmarks.views.HelpAndFeedback.name": "Yardım ve Geri Bildirim", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "Yer İşaretlerini kullanmak için önce bir klasör veya çalışma alanı açmanız gerekir.\n[Klasör Aç](command:_bookmarks.openFolderWelcome)\n[Çalışma Alanı Aç](command:workbench.action.openWorkspace)\nDaha fazla bilgi edinmek için VS Code'da Yer İşaretlerinin nasıl kullanılacağı hakkında [belgeleri okuyun](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "Henüz yer işareti yok.\nYer İşaretlerini kullanmak için düzenleyicide bir dosya açmanız gerekir.\n[Dosya Aç](command:workbench.action.quickOpen)\nYer İşaretlerini VS Code'da nasıl kullanacağınız hakkında daha fazla bilgi edinmek için [dokümanları okuyun](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "Henüz yer işareti yok.\nYer İşaretlerini kullanmak için imleci dosyada herhangi bir konuma getirin ve şu komutu çalıştırın:\n[Yer İşaretleri: Geçiş](command:bookmarks.toggle)\nVS Code'da Yer İşaretlerinin nasıl kullanılacağı hakkında daha fazla bilgi edinmek için [belgeleri okuyun ](http://github.com/alefragnani/vscode-bookmarks/#bookmarks).", 8 | "bookmarks.editor.context.label": "Yer İşaretleri", 9 | "bookmarks.editor.title.label": "Yer İşaretleri", 10 | "bookmarks.commands.category.bookmarks": "Yer İşaretleri", 11 | "bookmarks.commands.category.bookmarks.selection": "Yer İşaretleri (Seçim)", 12 | "bookmarks.commands.toggle.title": "Geçiş Yap", 13 | "bookmarks.commands.jumpToNext.title": "Sonrakine Geç", 14 | "bookmarks.commands.jumpToPrevious.title": "Öncekine Geç", 15 | "bookmarks.commands.jumpTo.title": "Dokümana/Satıra Geç", 16 | "bookmarks.commands.selectLines.title": "Satırları Seç", 17 | "bookmarks.commands.expandSelectionToNext.title": "Seçimi Sonrakine Genişlet", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "Seçimi Öncekine Genişlet", 19 | "bookmarks.commands.shrinkSelection.title": "Seçimi Küçült", 20 | "bookmarks.commands.list.title": "Liste", 21 | "bookmarks.commands.toggleLabeled.title": "Etiketliyi aç/kapat", 22 | "bookmarks.commands.refresh.title": "Yenile", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "Ağaç Olarak Görüntüle", 24 | "bookmarks.commands.viewAsList#sideBar.title": "Liste Olarak Görüntüle", 25 | "bookmarks.commands.openSettings.title": "Ayarları aç", 26 | "bookmarks.commands.hidePosition.title": "Konumu Gizle", 27 | "bookmarks.commands.showPosition.title": "Pozisyonu Göster", 28 | "bookmarks.commands.clear.title": "Temizle", 29 | "bookmarks.commands.clearFromFile.title": "Temizle", 30 | "bookmarks.commands.deleteBookmark.title": "Sil", 31 | "bookmarks.commands.editLabel.title": "Etiketi Düzenle", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "Yer İşareti Ekle", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "Etiketli Yer İşareti Ekle", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "Yer İşaretini Kaldır", 35 | "bookmarks.commands.listFromAllFiles.title": "Tüm Dosyalardan Listele", 36 | "bookmarks.commands.clearFromAllFiles.title": "Tüm Dosyalardan Temizle", 37 | "bookmarks.commands.whatsNew.title": "Neler Yeni", 38 | "bookmarks.commands.whatsNewContextMenu.title": "Neler Yeni", 39 | "bookmarks.commands.openFolderWelcome.title": "Klasör Aç", 40 | "bookmarks.commands.supportBookmarks.title": "Yer İşaretlerini Destekle", 41 | "bookmarks.commands.openSideBar.title": "Yan Çubuğu Aç", 42 | "bookmarks.configuration.title": "Yer İşaretleri", 43 | "bookmarks.configuration.saveBookmarksInProject.description": "Yer işaretlerinin VS Code yerine Proje/Klasör içerisinde saklanmasına izin ver.", 44 | "bookmarks.configuration.gutterIconPath.description": "Yer İşareti olarak sunulacak başka bir görüntünün yolu", 45 | "bookmarks.configuration.gutterIconPath.deprecation": "Bunun yerine `bookmarks.gutterIconFillColor` ve `bookmarks.gutterIconBorderColor` kullanın", 46 | "bookmarks.configuration.gutterIconFillColor.description": "Yer işareti simgesinin dolgu rengini belirtir", 47 | "bookmarks.configuration.gutterIconBorderColor.description": "Yer işareti simgesinin kenarlık rengini belirtir", 48 | "bookmarks.configuration.backgroundLineColor.description": "Dekorasyonun arka plan rengi. Diğer dekorasyonlarla iyi uyum sağlamak için rgba() kullanın ve şeffaf arka plan renklerini tanımlayın. Ör.: rgba(21, 126, 251, 0.1)", 49 | "bookmarks.configuration.backgroundLineColor.deprecation": "Bunun yerine `workbench.colorCustomizations`da `bookmarks.lineBackground`ı kullanın", 50 | "bookmarks.configuration.navigateThroughAllFiles.description": "Yalnızca geçerli dosyalar yerine projedeki tüm dosyalarda yer işaretlerinin aranmasına izin ver", 51 | "bookmarks.configuration.wrapNavigation.description": "Gezinmenin kapsamdaki ilk ve son yer işaretlerinde (geçerli dosya veya tüm dosyalar) sarılmasına izin ver", 52 | "bookmarks.configuration.useWorkaroundForFormatters.description": "Prettier gibi formatlayıcılar için belge değişikliklerini bildirmeyen ve Bookmark'ın Yapışkan davranışını bozan bir geçici çözüm kullanın", 53 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "Deneysel. Biçimlendirici desteği, gelişmiş kaynak değişikliği algılamaları ve geri alma işlemleriyle yeni Yapışkan motorunu etkinleştirir", 54 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "Silinen satırdaki yer işaretlerinin, değiştirildiği satırla birlikte silinmek yerine bir sonraki satıra taşınarak dosyada tutulup tutulmayacağını belirtir.", 55 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "Başka yer işareti bulunmadığında yer işaretleri arasında gezinmeye çalışıldığında bir bildirimin gösterilip gösterilmeyeceğini belirtir.", 56 | "bookmarks.configuration.showCommandsInContextMenu.description": "Yer İşaretleri komutlarının içerik menüsünde görüntülenip görüntülenmeyeceğini belirtir", 57 | "bookmarks.configuration.sidebar.expanded.description": "Kenar Çubuğu gösterisinin genişletilmiş olarak görüntülenip görüntülenmeyeceğini belirtir", 58 | "bookmarks.configuration.sideBar.countBadge.description": "Etkinlik Çubuğundaki Yer İşareti simgesindeki sayım rozetini kontrol eder", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "Tüm dosyalardaki yer işaretlerinin toplamını göster", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "Bazı yer işaretlerini içeren dosyaların toplamını göster", 61 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "Yer İşaretleri sayısı rozetini devre dışı bırakın", 62 | "bookmarks.configuration.multicursor.toggleMode.description": "Çoklu imlecin önceden işaretlenmiş satırları nasıl işleyeceğini belirtir", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "Satırlardan en az birinde yer işareti yoksa, seçilen tüm satırlarda aynı anda yer işaretleri oluşturur", 64 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "Tüm satırları eşitlemek yerine, kelimenin tam anlamıyla her satırdaki bir yer işaretini değiştirir", 65 | "bookmarks.configuration.label.suggestion.description": "Yer işaretleri oluşturulurken etiketlerin nasıl önerileceğini belirtir", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "Seçimi kullanmayın (orijinal davranış)", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "Seçilen metni (varsa) doğrudan kullanın, onay gerekmez", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "Seçilen metni önerir (varsa). Hala onaylamanız gerekiyor.", 69 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "Seçilen metni (varsa) veya satırın tamamını (seçim olmadığında) önerir. Hala onaylamanız gerekiyor.", 70 | "bookmarks.configuration.revealLocation.description": "Yer işaretlerine eklenen satırın gösterileceği konumu belirtir", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "Düzenleyicinin üst kısmında yer işaretlerine eklenmiş satırı gösterir", 72 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "Düzenleyicinin ortasındaki yer işaretlerine eklenmiş satırı ortaya çıkarır", 73 | "bookmarks.colors.lineBackground.description": "Yer işaretlerine eklenen satırın arka plan rengi", 74 | "bookmarks.colors.lineBorder.description": "Yer işaretlerine eklenen çizginin etrafındaki kenarlığın arka plan rengi", 75 | "bookmarks.colors.overviewRuler.description": "Yer işaretleri için cetvel işaretleyici rengine genel bakış", 76 | "bookmarks.walkthroughs.title": "Yer İşaretlerini Kullanmaya Başlayın", 77 | "bookmarks.walkthroughs.description": "İş akışınızı optimize etmek için Yer İşaretleri hakkında daha fazla bilgi edinin", 78 | "bookmarks.walkthroughs.toggle.title": "Yer Imlerinde Geçiş Yap", 79 | "bookmarks.walkthroughs.toggle.description": "Yer İşaretlerini herhangi bir konumdaki Kolayca İşaretleyin/İşaretini Kaldır.\nYer İşaretli satırları kolayca tanımlamak için hem cilt payına hem de genel bakış cetveline bir simge eklenir.", 80 | "bookmarks.walkthroughs.navigateToBookmarks.title": "Yer İşaretlerine Yönlendir", 81 | "bookmarks.walkthroughs.navigateToBookmarks.description": "Yer işaretli satırlar arasında hızla geçiş yapın.\nSatırın içeriğini ve/veya etiketlerini kullanarak yer işaretlerini arayın.", 82 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "Yer işaretleriniz için etiketleri tanımlayın", 83 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "Herhangi bir yer işareti için etiketleri tanımlayarak onlara konumu dışında özel bir anlam verebilirsiniz.", 84 | "bookmarks.walkthroughs.exclusiveSideBar.title": "Özel Yan Bar", 85 | "bookmarks.walkthroughs.exclusiveSideBar.description": "Üretkenliğinizi artırmak için ihtiyacınız olan her şeyi içeren özel bir Kenar Çubuğu.\n[Kenar Çubuğunu Aç](command:_bookmarks.openSideBar)", 86 | "bookmarks.walkthroughs.workingWithRemotes.title": "Uzaktan Çalışma", 87 | "bookmarks.walkthroughs.workingWithRemotes.description": "Bu eklenti [Uzaktan Geliştirme](https://code.visualstudio.com/docs/remote/remote-overview) senaryolarını destekler. Yerel olarak yüklense bile Yer İşaretlerini WSL, Konteynerler, SSH ve Kod Alanlarında (Codespaces) kullanabilirsiniz.", 88 | "bookmarks.walkthroughs.customizingAppearance.title": "Görünümü Özelleştirme", 89 | "bookmarks.walkthroughs.customizingAppearance.description": "Yer İşaretlerinin nasıl sunulacağını, simgesini, çizgisini ve genel bakış cetvelini özelleştirin\n[Ayarları Açın - Gutter İkonu](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[Ayarları Açın - Satır](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 90 | } 91 | -------------------------------------------------------------------------------- /package.nls.zh-cn.json: -------------------------------------------------------------------------------- 1 | { 2 | "bookmarks.activitybar.title": "书签", 3 | "bookmarks.views.Explorer.name": "书签列表", 4 | "bookmarks.views.HelpAndFeedback.name": "帮助和反馈", 5 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenEmpty": "为了使用书签功能,你需要先打开一个文件夹或工作区。\n[打开文件夹](command:_bookmarks.openFolderWelcome)\n[打开工作区](command:workbench.action.openWorkspace)\n可以通过[阅读文档](http://github.com/alefragnani/vscode-bookmarks/#bookmarks)了解关于 VS Code 中使用书签的更多信息。", 6 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenNoFileOpen": "未找到任何书签。\n若需要编辑书签,你需要先在编辑器中打开一个文件。\n[打开文件](command:workbench.action.quickOpen)\n可以通过[阅读文档](http://github.com/alefragnani/vscode-bookmarks/#bookmarks)了解关于 VS Code 中使用书签的更多信息。", 7 | "bookmarks.viewsWelcome.bookmarksExplorer.contents.whenHasFileOpen": "未找到任何书签。\n若需要添加书签,你需要先将光标放在文件的任意位置,然后运行命令:\n[书签: 添加/删除书签](command:bookmarks.toggle)\n可以通过[阅读文档](http://github.com/alefragnani/vscode-bookmarks/#bookmarks)了解关于 VS Code 中使用书签的更多信息。", 8 | "bookmarks.editor.context.label": "书签", 9 | "bookmarks.editor.title.label": "书签", 10 | "bookmarks.commands.category.bookmarks": "书签", 11 | "bookmarks.commands.category.bookmarks.selection": "书签(选区操作)", 12 | "bookmarks.commands.toggle.title": "添加/删除书签", 13 | "bookmarks.commands.jumpToNext.title": "跳转至下一个书签", 14 | "bookmarks.commands.jumpToPrevious.title": "跳转至上一个书签", 15 | "bookmarks.commands.jumpTo.title": "跳转至文档/行", 16 | "bookmarks.commands.selectLines.title": "选取所有书签行", 17 | "bookmarks.commands.expandSelectionToNext.title": "扩展光标选区至下一个书签处", 18 | "bookmarks.commands.expandSelectionToPrevious.title": "扩展光标选区至上一个书签处", 19 | "bookmarks.commands.shrinkSelection.title": "收缩光标选区尾至选区中最后一个书签", 20 | "bookmarks.commands.list.title": "列出文件中所有书签", 21 | "bookmarks.commands.toggleLabeled.title": "添加含标签的书签/删除书签", 22 | "bookmarks.commands.refresh.title": "刷新", 23 | "bookmarks.commands.viewAsTree#sideBar.title": "以树形式查看", 24 | "bookmarks.commands.viewAsList#sideBar.title": "以列表形式查看", 25 | "bookmarks.commands.openSettings.title": "打开设置", 26 | "bookmarks.commands.hidePosition.title": "隐藏位置", 27 | "bookmarks.commands.showPosition.title": "显示位置", 28 | "bookmarks.commands.clear.title": "清空所有书签", 29 | "bookmarks.commands.clearFromFile.title": "清空文件中所有书签", 30 | "bookmarks.commands.deleteBookmark.title": "删除书签", 31 | "bookmarks.commands.editLabel.title": "编辑标签", 32 | "bookmarks.commands.addBookmarkAtLine#gutter.title": "添加书签", 33 | "bookmarks.commands.addLabeledBookmarkAtLine#gutter.title": "添加含标签的书签", 34 | "bookmarks.commands.removeBookmarkAtLine#gutter.title": "删除书签", 35 | "bookmarks.commands.listFromAllFiles.title": "列出所有书签", 36 | "bookmarks.commands.clearFromAllFiles.title": "全部清空", 37 | "bookmarks.commands.whatsNew.title": "更新内容", 38 | "bookmarks.commands.whatsNewContextMenu.title": "更新内容", 39 | "bookmarks.commands.openFolderWelcome.title": "打开文件夹", 40 | "bookmarks.commands.supportBookmarks.title": "支持 Bookmarks 的开发工作", 41 | "bookmarks.configuration.title": "书签", 42 | "bookmarks.configuration.saveBookmarksInProject.description": "允许书签存储在打开的文件夹或工作区中,而不是在 VS Code 内部保存。", 43 | "bookmarks.configuration.gutterIconPath.description": "自定义书签图标的图片路径。", 44 | "bookmarks.configuration.gutterIconPath.deprecation": "改用 `bookmarks.gutterIconFillColor` 与 `bookmarks.gutterIconBorderColor`", 45 | "bookmarks.configuration.gutterIconFillColor.description": "指定装订线(Gutter Ruler)中书签图标的填充颜色", 46 | "bookmarks.configuration.gutterIconBorderColor.description": "指定装订线(Gutter Ruler)中书签图标的边框颜色", 47 | "bookmarks.configuration.backgroundLineColor.description": "装饰器的背景色。使用 rgba() 并指定透明背景颜色,以与其他装饰一起使用。例如:rgba(21, 126, 251, 0.1)", 48 | "bookmarks.configuration.backgroundLineColor.deprecation": "已被 `workbench.colorCustomizations` 中的 `bookmarks.lineBackground` 设置项代替。", 49 | "bookmarks.configuration.navigateThroughAllFiles.description": "允许搜索所有工作区中的文件中的书签,而不仅仅局限于当前文件。", 50 | "bookmarks.configuration.wrapNavigation.description": "允许在第一个和最后一个书签之间(当前文件或所有文件)循环跳转。", 51 | "bookmarks.configuration.useWorkaroundForFormatters.description": "启用对 Prettier 等格式化工具的适配方案。若不启用该设置,使用此类格式化工具时,本扩展将无法收到文件变更事件,彼时书签的位置会被打乱。", 52 | "bookmarks.configuration.experimental.enableNewStickyEngine.description": "实验性配置项。启用新的粘性引擎,提供对格式化程序的支持、更好的撤销操作实现与源文件更改检测。", 53 | "bookmarks.configuration.keepBookmarksOnLineDelete.description": "是否将被删去行上的书签移至其下一行,而不是将其上的书签一起删除。", 54 | "bookmarks.configuration.showNoMoreBookmarksWarning.description": "在书签间导航时,当书签不存在,是否显示警告提示。", 55 | "bookmarks.configuration.showCommandsInContextMenu.description": "是否在上下文菜单中显示书签命令(添加/删除书签、跳转至上一个/下一个书签)。", 56 | "bookmarks.configuration.sidebar.expanded.description": "是否在书签侧边栏中以展开形式列出书签。", 57 | "bookmarks.configuration.sideBar.countBadge.description": "控制活动栏书签图标上圆点提示的计数行为", 58 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.all": "显示所有文件的书签总数", 59 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.files": "显示包含书签的文件的总数", 60 | "bookmarks.configuration.sideBar.countBadge.enumDescriptions.off": "禁用计数与圆点提示", 61 | "bookmarks.configuration.multicursor.toggleMode.description": "指定当使用多光标的同时新建书签,此时对已有书签行的处理方式。", 62 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.allLinesAtOnce": "为所有没有被书签标记的行创建书签。", 63 | "bookmarks.configuration.multicursor.toggleMode.enumDescriptions.eachLineIndependently": "如果选中行存在书签,则删除该书签;如果选中行不存在书签,则为该行添加书签。", 64 | "bookmarks.configuration.label.suggestion.description": "指定新建具有标签的书签时,对标签的生成方式。", 65 | "bookmarks.configuration.label.suggestion.enumDescriptions.dontUse": "禁用标签生成", 66 | "bookmarks.configuration.label.suggestion.enumDescriptions.useWhenSelected": "使用已选中的文本(不需要额外确认)。", 67 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelected": "使用已选中的文本(需要额外确认)。", 68 | "bookmarks.configuration.label.suggestion.enumDescriptions.suggestWhenSelectedOrLineWhenNoSelected": "使用已选中的文本,或是当未选中任何文本时使用整行内容(需要额外确认)。", 69 | "bookmarks.configuration.revealLocation.description": "指定当跳转到书签时,书签所在行在编辑器中出现的位置", 70 | "bookmarks.configuration.revealLocation.enumDescriptions.top": "编辑器顶部", 71 | "bookmarks.configuration.revealLocation.enumDescriptions.center": "编辑器中心", 72 | "bookmarks.colors.lineBackground.description": "书签所在行的背景色", 73 | "bookmarks.colors.lineBorder.description": "书签所在行的外边框颜色", 74 | "bookmarks.colors.overviewRuler.description": "编辑器的概览标尺(Overview Ruler)中,书签标记的颜色", 75 | "bookmarks.walkthroughs.title": "开始使用 Bookmarks", 76 | "bookmarks.walkthroughs.description": "了解有关 Bookmarks 扩展的更多信息以优化您的工作流程", 77 | "bookmarks.walkthroughs.toggle.title": "添加 / 删除书签", 78 | "bookmarks.walkthroughs.toggle.description": "为任何位置添加或删除书签。\n装订线(Gutter Ruler)和概览标尺(Overview Ruler)中均添加了显眼的标示,以便轻松识别带有书签标记的行。", 79 | "bookmarks.walkthroughs.navigateToBookmarks.title": "跳转至书签", 80 | "bookmarks.walkthroughs.navigateToBookmarks.description": "在书签标记间轻松跳转,如臂使指。\n可通过书签行的具体内容,或是使用标签来搜索书签", 81 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.title": "为你的书签添加标签", 82 | "bookmarks.walkthroughs.defineLabelsForYourBookmarks.description": "你可以给任何书签添加标签,让它们不仅能够标注位置,还能承载更多信息。", 83 | "bookmarks.walkthroughs.exclusiveSideBar.title": "专属侧边栏", 84 | "bookmarks.walkthroughs.exclusiveSideBar.description": "活用侧边栏能够十足有效的提高你的工作效率。\n[打开书签侧边栏](command:_bookmarks.openSideBar)", 85 | "bookmarks.walkthroughs.workingWithRemotes.title": "兼容 VS Code 远程开发", 86 | "bookmarks.walkthroughs.workingWithRemotes.description": "本扩展完全兼容 [远程开发](https://code.visualstudio.com/docs/remote/remote-overview)。只需要在本地编辑器中安装,便能够在 WSL、Containers、SSH 或是 Codespaces 中正常使用书签功能。", 87 | "bookmarks.walkthroughs.customizingAppearance.title": "自定义外观", 88 | "bookmarks.walkthroughs.customizingAppearance.description": "你可以自定义书签在编辑器中的呈现方式,例如书签标记使用的图标,或是概览标尺(Overview Ruler)中书签标记的颜色。\n[Open Settings - Gutter Icon](command:workbench.action.openSettings?%5B%22bookmarks.gutterIcon%22%5D)\n[Open Settings - Line](command:workbench.action.openSettingsJson?%5B%22workbench.colorCustomizations%22%5D)" 89 | } -------------------------------------------------------------------------------- /src/commands/openSettings.ts: -------------------------------------------------------------------------------- 1 | /*--------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *--------------------------------------------------------------------------------------------*/ 5 | 6 | import { commands } from "vscode"; 7 | import { Container } from "../../vscode-bookmarks-core/src/container"; 8 | 9 | export function registerOpenSettings() { 10 | Container.context.subscriptions.push(commands.registerCommand("bookmarks.openSettings", async () => { 11 | commands.executeCommand("workbench.action.openSettings", "@ext:alefragnani.bookmarks"); 12 | })); 13 | } -------------------------------------------------------------------------------- /src/commands/supportBookmarks.ts: -------------------------------------------------------------------------------- 1 | /*--------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *--------------------------------------------------------------------------------------------*/ 5 | 6 | import { commands, env, l10n, MessageItem, Uri, window } from "vscode"; 7 | import { Container } from "../../vscode-bookmarks-core/src/container"; 8 | 9 | export function registerSupportBookmarks() { 10 | Container.context.subscriptions.push(commands.registerCommand("bookmarks.supportBookmarks", async () => { 11 | const actions: MessageItem[] = [ 12 | { title: l10n.t('Become a Sponsor') }, 13 | { title: l10n.t('Donate via PayPal') } 14 | ]; 15 | const option = await window.showInformationMessage(l10n.t(`While Bookmarks is offered for free, if you find it useful, 16 | please consider supporting it. Thank you!`), ...actions); 17 | let uri: Uri; 18 | if (option === actions[ 0 ]) { 19 | uri = Uri.parse('https://github.com/sponsors/alefragnani'); 20 | } 21 | if (option === actions[ 1 ]) { 22 | uri = Uri.parse('https://www.paypal.com/cgi-bin/webscr?cmd=_donations&business=EP57F3B6FXKTU&lc=US&item_name=Alessandro%20Fragnani&item_number=vscode%20extensions¤cy_code=USD&bn=PP%2dDonationsBF%3abtn_donate_SM%2egif%3aNonHosted'); 23 | } 24 | if (uri) { 25 | await env.openExternal(uri); 26 | } 27 | })); 28 | } 29 | -------------------------------------------------------------------------------- /src/commands/walkthrough.ts: -------------------------------------------------------------------------------- 1 | /*---------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *---------------------------------------------------------------------------------------------*/ 5 | 6 | import { commands } from "vscode"; 7 | import { Container } from "../../vscode-bookmarks-core/src/container"; 8 | 9 | function openSideBar() { 10 | commands.executeCommand("bookmarksExplorer.focus"); 11 | } 12 | 13 | export function registerWalkthrough() { 14 | Container.context.subscriptions.push(commands.registerCommand("_bookmarks.openSideBar", () => openSideBar())) 15 | } 16 | 17 | -------------------------------------------------------------------------------- /src/gutter/commands.ts: -------------------------------------------------------------------------------- 1 | /*---------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *---------------------------------------------------------------------------------------------*/ 5 | 6 | import { commands } from "vscode"; 7 | import { EditorLineNumberContextParams } from "./editorLineNumberContext"; 8 | import { Container } from "../../vscode-bookmarks-core/src/container"; 9 | 10 | export function registerGutterCommands(toggleCommand: (params: EditorLineNumberContextParams) => void, toggleLabeledCommand: (params: EditorLineNumberContextParams) => void) { 11 | Container.context.subscriptions.push( 12 | commands.registerCommand("_bookmarks.addBookmarkAtLine#gutter", 13 | async (params: EditorLineNumberContextParams) => { 14 | await toggleCommand(params); 15 | })); 16 | 17 | Container.context.subscriptions.push( 18 | commands.registerCommand("_bookmarks.addLabeledBookmarkAtLine#gutter", 19 | async (params: EditorLineNumberContextParams) => { 20 | await toggleLabeledCommand(params); 21 | })); 22 | 23 | Container.context.subscriptions.push( 24 | commands.registerCommand("_bookmarks.removeBookmarkAtLine#gutter", 25 | async (params: EditorLineNumberContextParams) => { 26 | await toggleCommand(params); 27 | })); 28 | } -------------------------------------------------------------------------------- /src/gutter/editorLineNumberContext.ts: -------------------------------------------------------------------------------- 1 | /*--------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *--------------------------------------------------------------------------------------------*/ 5 | 6 | import { Uri, commands } from "vscode"; 7 | import { File } from "../../vscode-bookmarks-core/src/file"; 8 | 9 | export interface EditorLineNumberContextParams { 10 | lineNumber: number, 11 | uri: Uri 12 | } 13 | 14 | export function updateLinesWithBookmarkContext(activeFile: File) { 15 | const linesWithBookmarks = activeFile.bookmarks.map(b => b.line + 1); 16 | 17 | commands.executeCommand("setContext", "bookmarks.linesWithBookmarks", 18 | linesWithBookmarks); 19 | } -------------------------------------------------------------------------------- /src/sidebar/helpAndFeedbackView.ts: -------------------------------------------------------------------------------- 1 | /*--------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *--------------------------------------------------------------------------------------------*/ 5 | 6 | import { ExtensionContext, l10n } from "vscode"; 7 | import { HelpAndFeedbackView, Link, StandardLinksProvider, ProvideFeedbackLink, Command } from "vscode-ext-help-and-feedback-view"; 8 | 9 | export function registerHelpAndFeedbackView(context: ExtensionContext) { 10 | const items = new Array(); 11 | const predefinedProvider = new StandardLinksProvider('alefragnani.Bookmarks'); 12 | items.push(predefinedProvider.getGetStartedLink()); 13 | items.push(new ProvideFeedbackLink('bookmarks')); 14 | items.push(predefinedProvider.getReviewIssuesLink()); 15 | items.push(predefinedProvider.getReportIssueLink()); 16 | items.push({ 17 | icon: 'heart', 18 | title: l10n.t('Support'), 19 | command: 'bookmarks.supportBookmarks' 20 | }); 21 | new HelpAndFeedbackView(context, "bookmarksHelpAndFeedback", items); 22 | } -------------------------------------------------------------------------------- /src/whats-new/commands.ts: -------------------------------------------------------------------------------- 1 | /*--------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *--------------------------------------------------------------------------------------------*/ 5 | 6 | import { commands } from "vscode"; 7 | import { Container } from "../../vscode-bookmarks-core/src/container"; 8 | import { WhatsNewManager } from "../../vscode-whats-new/src/Manager"; 9 | import { BookmarksSocialMediaProvider, BookmarksContentProvider } from "./contentProvider"; 10 | 11 | export async function registerWhatsNew() { 12 | const provider = new BookmarksContentProvider(); 13 | const viewer = new WhatsNewManager(Container.context) 14 | .registerContentProvider("alefragnani", "Bookmarks", provider) 15 | .registerSocialMediaProvider(new BookmarksSocialMediaProvider()); 16 | await viewer.showPageInActivation(); 17 | Container.context.subscriptions.push(commands.registerCommand("bookmarks.whatsNew", () => viewer.showPage())); 18 | Container.context.subscriptions.push(commands.registerCommand("_bookmarks.whatsNewContextMenu", () => viewer.showPage())); 19 | } 20 | -------------------------------------------------------------------------------- /src/whats-new/contentProvider.ts: -------------------------------------------------------------------------------- 1 | /*--------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Licensed under the GPLv3 License. See License.md in the project root for license information. 4 | *--------------------------------------------------------------------------------------------*/ 5 | 6 | // tslint:disable-next-line:max-line-length 7 | import { ChangeLogItem, ChangeLogKind, ContentProvider, Header, Image, IssueKind, SupportChannel, SocialMediaProvider } from "../../vscode-whats-new/src/ContentProvider"; 8 | 9 | export class BookmarksContentProvider implements ContentProvider { 10 | 11 | public provideHeader(logoUrl: string): Header { 12 | return
{ 13 | logo: { src: logoUrl, height: 50, width: 50 }, 14 | message: `Bookmarks helps you to navigate in your code, moving 15 | between important positions easily and quickly. No more need 16 | to search for code. It also supports a set of selection 17 | commands, which allows you to select bookmarked lines and regions between 18 | lines.`}; 19 | } 20 | 21 | public provideChangeLog(): ChangeLogItem[] { 22 | const changeLog: ChangeLogItem[] = []; 23 | 24 | changeLog.push({ kind: ChangeLogKind.VERSION, detail: { releaseNumber: "13.5.0", releaseDate: "March 2024" } }); 25 | changeLog.push({ 26 | kind: ChangeLogKind.NEW, 27 | detail: { 28 | message: "Turkish translations", 29 | id: 683, 30 | kind: IssueKind.PR, 31 | kudos: "@ksckaan1" 32 | } 33 | }); 34 | changeLog.push({ 35 | kind: ChangeLogKind.NEW, 36 | detail: { 37 | message: "New setting to choose viewport position on navigation", 38 | id: 504, 39 | kind: IssueKind.Issue 40 | } 41 | }); 42 | changeLog.push({ 43 | kind: ChangeLogKind.FIXED, 44 | detail: { 45 | message: "Simplified Chinese translations", 46 | id: 635, 47 | kind: IssueKind.PR, 48 | kudos: "@huangyxi" 49 | } 50 | }); 51 | changeLog.push({ 52 | kind: ChangeLogKind.FIXED, 53 | detail: { 54 | message: "Refine extension settings query", 55 | id: 681, 56 | kind: IssueKind.PR, 57 | kudos: "@aramikuto" 58 | } 59 | }); 60 | 61 | changeLog.push({ kind: ChangeLogKind.VERSION, detail: { releaseNumber: "13.4.2", releaseDate: "September 2023" } }); 62 | changeLog.push({ 63 | kind: ChangeLogKind.NEW, 64 | detail: { 65 | message: "Spanish translations", 66 | id: 629, 67 | kind: IssueKind.PR, 68 | kudos: "@JoseDeFreitas" 69 | } 70 | }); 71 | changeLog.push({ 72 | kind: ChangeLogKind.FIXED, 73 | detail: { 74 | message: "Toggle bookmark via mouse click (context menu) outdated by Explorer View", 75 | id: 627, 76 | kind: IssueKind.Issue 77 | } 78 | }); 79 | changeLog.push({ 80 | kind: ChangeLogKind.FIXED, 81 | detail: { 82 | message: "Support for vscode-memfs FileSystemProvider", 83 | id: 645, 84 | kind: IssueKind.Issue 85 | } 86 | }); 87 | changeLog.push({ 88 | kind: ChangeLogKind.FIXED, 89 | detail: { 90 | message: "Typos in Portuguese translations", 91 | id: 635, 92 | kind: IssueKind.Issue 93 | } 94 | }); 95 | changeLog.push({ 96 | kind: ChangeLogKind.INTERNAL, 97 | detail: { 98 | message: "Security Alert: word-wrap", 99 | id: 634, 100 | kind: IssueKind.PR, 101 | kudos: "dependabot" 102 | } 103 | }); 104 | 105 | changeLog.push({ kind: ChangeLogKind.VERSION, detail: { releaseNumber: "13.4.0", releaseDate: "June 2023" } }); 106 | changeLog.push({ 107 | kind: ChangeLogKind.NEW, 108 | detail: { 109 | message: "Add Getting Started/Walkthrough support", 110 | id: 442, 111 | kind: IssueKind.Issue 112 | } 113 | }); 114 | changeLog.push({ 115 | kind: ChangeLogKind.NEW, 116 | detail: { 117 | message: "Add Toggle bookmark via mouse click (context menu)", 118 | id: 615, 119 | kind: IssueKind.Issue 120 | } 121 | }); 122 | changeLog.push({ 123 | kind: ChangeLogKind.NEW, 124 | detail: { 125 | message: "Add Localization (l10n) support", 126 | id: 565, 127 | kind: IssueKind.Issue 128 | } 129 | }); 130 | changeLog.push({ 131 | kind: ChangeLogKind.NEW, 132 | detail: { 133 | message: "Add Side Bar Badge", 134 | id: 153, 135 | kind: IssueKind.Issue 136 | } 137 | }); 138 | changeLog.push({ 139 | kind: ChangeLogKind.CHANGED, 140 | detail: { 141 | message: "Avoid What's New when using Gitpod", 142 | id: 611, 143 | kind: IssueKind.Issue 144 | } 145 | }); 146 | changeLog.push({ 147 | kind: ChangeLogKind.CHANGED, 148 | detail: { 149 | message: "Avoid What's New when installing lower versions", 150 | id: 611, 151 | kind: IssueKind.Issue 152 | } 153 | }); 154 | changeLog.push({ 155 | kind: ChangeLogKind.FIXED, 156 | detail: { 157 | message: "Repeated gutter icon on line wrap", 158 | id: 552, 159 | kind: IssueKind.Issue 160 | } 161 | }); 162 | changeLog.push({ 163 | kind: ChangeLogKind.INTERNAL, 164 | detail: { 165 | message: "Support Implicit Activation Event API", 166 | id: 573, 167 | kind: IssueKind.Issue 168 | } 169 | }); 170 | changeLog.push({ 171 | kind: ChangeLogKind.INTERNAL, 172 | detail: { 173 | message: "Security Alert: minimatch", 174 | id: 566, 175 | kind: IssueKind.PR, 176 | kudos: "dependabot" 177 | } 178 | }); 179 | changeLog.push({ 180 | kind: ChangeLogKind.INTERNAL, 181 | detail: { 182 | message: "Security Alert: terser", 183 | id: 546, 184 | kind: IssueKind.PR, 185 | kudos: "dependabot" 186 | } 187 | }); 188 | 189 | changeLog.push({ kind: ChangeLogKind.VERSION, detail: { releaseNumber: "13.3.1", releaseDate: "June 2022" } }); 190 | changeLog.push({ 191 | kind: ChangeLogKind.INTERNAL, 192 | detail: "Add GitHub Sponsors support" 193 | }); 194 | 195 | changeLog.push({ kind: ChangeLogKind.VERSION, detail: { releaseNumber: "13.3.0", releaseDate: "April 2022" } }); 196 | changeLog.push({ 197 | kind: ChangeLogKind.NEW, 198 | detail: { 199 | message: "New setting to decide if should delete bookmark if associated line is deleted", 200 | id: 503, 201 | kind: IssueKind.Issue 202 | } 203 | }); 204 | changeLog.push({ 205 | kind: ChangeLogKind.NEW, 206 | detail: { 207 | message: "Allow customization of bookmark color (fill and border)", 208 | id: 445, 209 | kind: IssueKind.Issue 210 | } 211 | }); 212 | changeLog.push({ 213 | kind: ChangeLogKind.FIXED, 214 | detail: { 215 | message: "Bookmarks being lost on file renames", 216 | id: 529, 217 | kind: IssueKind.Issue 218 | } 219 | }); 220 | 221 | return changeLog; 222 | } 223 | 224 | public provideSupportChannels(): SupportChannel[] { 225 | const supportChannels: SupportChannel[] = []; 226 | supportChannels.push({ 227 | title: "Become a sponsor on GitHub", 228 | link: "https://github.com/sponsors/alefragnani", 229 | message: "Become a Sponsor" 230 | }); 231 | supportChannels.push({ 232 | title: "Donate via PayPal", 233 | link: "https://www.paypal.com/cgi-bin/webscr?cmd=_donations&business=EP57F3B6FXKTU&lc=US&item_name=Alessandro%20Fragnani&item_number=vscode%20extensions¤cy_code=USD&bn=PP%2dDonationsBF%3abtn_donate_SM%2egif%3aNonHosted", 234 | message: "Donate via PayPal" 235 | }); 236 | return supportChannels; 237 | } 238 | } 239 | 240 | export class BookmarksSocialMediaProvider implements SocialMediaProvider { 241 | public provideSocialMedias() { 242 | return [{ 243 | title: "Follow me on Twitter", 244 | link: "https://www.twitter.com/alefragnani" 245 | }]; 246 | } 247 | } -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "module": "commonjs", 4 | "target": "ES2020", 5 | "outDir": "out", 6 | "lib": [ 7 | "ES2020", "DOM" 8 | ], 9 | "sourceMap": true, 10 | "rootDir": ".", 11 | "alwaysStrict": true 12 | }, 13 | "exclude": [ 14 | "node_modules", 15 | ".vscode-test" 16 | ] 17 | } -------------------------------------------------------------------------------- /walkthrough/customizedBookmark.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/alefragnani/vscode-bookmarks/8146c5a09054bd07e722f3fabca17edfb468523a/walkthrough/customizedBookmark.png -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.md: -------------------------------------------------------------------------------- 1 | ## Customizing Appearance 2 | 3 | You can customize not only how the icon is show in the Gutter, but also add a background color to the bookmarked line and the overview ruller. 4 | 5 | Something like this in your settings: 6 | 7 | ```json 8 | "bookmarks.gutterIconFillColor": "none", 9 | // "bookmarks.gutterIconBorderColor": "157EFB", 10 | "workbench.colorCustomizations": { 11 | ... 12 | "bookmarks.lineBackground": "#0077ff2a", 13 | "bookmarks.lineBorder": "#FF0000", 14 | "bookmarks.overviewRuler": "#157EFB88" 15 | } 16 | ``` 17 | 18 | Could end up with a bookmark like this: 19 | 20 | ![Customized Bookmark](customizedBookmark.png) -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.nls.es.md: -------------------------------------------------------------------------------- 1 | ## Personalizando la apariencia 2 | 3 | No sólo puedes personalizar cómo se muestra el ícono en el canal, sino también añadir un fondo de color a una línea con un marcador o a la regla de visión general. 4 | 5 | Un código como este en tu configuración: 6 | 7 | ```json 8 | "bookmarks.gutterIconFillColor": "none", 9 | // "bookmarks.gutterIconBorderColor": "157EFB", 10 | "workbench.colorCustomizations": { 11 | ... 12 | "bookmarks.lineBackground": "#0077ff2a", 13 | "bookmarks.lineBorder": "#FF0000", 14 | "bookmarks.overviewRuler": "#157EFB88" 15 | } 16 | ``` 17 | 18 | Puede hacer que un marcador se vea así: 19 | 20 | ![Customized Bookmark](customizedBookmark.png) -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.nls.fr.md: -------------------------------------------------------------------------------- 1 | ## Personnalisation de l’apparence 2 | 3 | Vous pouvez personnaliser l’affichage de l’icône dans la marge, mais aussi ajouter une couleur d’arrière-plan et une bordure à la ligne marquée d’un signet et modifier l’aspect lors du survol. 4 | 5 | Ajoutez quelque chose comme ceci dans vos paramètres : 6 | 7 | ```json 8 | "bookmarks.gutterIconFillColor": "none", 9 | // "bookmarks.gutterIconBorderColor": "157EFB", 10 | "workbench.colorCustomizations": { 11 | ... 12 | "bookmarks.lineBackground": "#0077ff2a", 13 | "bookmarks.lineBorder": "#FF0000", 14 | "bookmarks.overviewRuler": "#157EFB88" 15 | } 16 | ``` 17 | 18 | Pour obtenir un signet qui ressemble à ceci : 19 | 20 | ![Signet personnalisé](customizedBookmark.png) 21 | -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.nls.hi.md: -------------------------------------------------------------------------------- 1 | ## रूप-रंग अनुकूलित करना 2 | 3 | आप न केवल Gutter में आइकन को कैसे दिखाया जाए इसे अनुकूलित कर सकते हैं, बल्कि बुकमार्क की गई पंक्ति और ओवरव्यू रूलर के लिए एक पृष्ठभूमि रंग भी जोड़ सकते हैं। 4 | 5 | आपकी सेटिंग्स में कुछ इस तरह हो सकता है: 6 | 7 | ```json 8 | "bookmarks.gutterIconFillColor": "none", 9 | // "bookmarks.gutterIconBorderColor": "157EFB", 10 | "workbench.colorCustomizations": { 11 | ... 12 | "bookmarks.lineBackground": "#0077ff2a", 13 | "bookmarks.lineBorder": "#FF0000", 14 | "bookmarks.overviewRuler": "#157EFB88" 15 | } 16 | ``` 17 | 18 | इसका परिणाम इस तरह के एक बुकमार्क के रूप में हो सकता है: 19 | 20 | ![अनुकूलित बुकमार्क](customizedBookmark.png) -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.nls.pl.md: -------------------------------------------------------------------------------- 1 | ## Dostosowywanie wyglądu 2 | 3 | Możesz dostosować nie tylko to, jak ikona jest wyświetlana w marginesie (Gutter), ale także dodać kolor tła do zakładkowanej linii oraz do linijki przeglądu. 4 | 5 | Coś takiego w twoich ustawieniach: 6 | 7 | ```json 8 | "bookmarks.gutterIconFillColor": "none", 9 | // "bookmarks.gutterIconBorderColor": "157EFB", 10 | "workbench.colorCustomizations": { 11 | ... 12 | "bookmarks.lineBackground": "#0077ff2a", 13 | "bookmarks.lineBorder": "#FF0000", 14 | "bookmarks.overviewRuler": "#157EFB88" 15 | } 16 | ``` 17 | 18 | Może to skutkować zakładką wyglądającą tak: 19 | 20 | ![Zakładka po dostosowaniu](customizedBookmark.png) 21 | -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.nls.pt-br.md: -------------------------------------------------------------------------------- 1 | ## Personalizando a Aparência 2 | 3 | Você pode personalizar não apenas como o ícone é apresentado na Medianiz, mas também adicionar cor de fundo a linha com bookmark e a régua de visão geral. 4 | 5 | Algo como isso nas suas configuráções: 6 | 7 | ```json 8 | "bookmarks.gutterIconFillColor": "none", 9 | // "bookmarks.gutterIconBorderColor": "157EFB", 10 | "workbench.colorCustomizations": { 11 | ... 12 | "bookmarks.lineBackground": "#0077ff2a", 13 | "bookmarks.lineBorder": "#FF0000", 14 | "bookmarks.overviewRuler": "#157EFB88" 15 | } 16 | ``` 17 | 18 | Pode deixar seus bookmarks assim: 19 | 20 | ![Bookmark Personalizado](customizedBookmark.png) -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.nls.tr.md: -------------------------------------------------------------------------------- 1 | ## Görünümü Özelleştirme 2 | 3 | Yalnızca simgenin Cilt Payı'nda nasıl gösterileceğini özelleştirmekle kalmaz, aynı zamanda yer imi çizgisine ve genel bakış cetveline bir arka plan rengi de ekleyebilirsiniz. 4 | 5 | Ayarlarınızda buna benzer bir şey: 6 | 7 | ```json 8 | "bookmarks.gutterIconFillColor": "none", 9 | // "bookmarks.gutterIconBorderColor": "157EFB", 10 | "workbench.colorCustomizations": { 11 | ... 12 | "bookmarks.lineBackground": "#0077ff2a", 13 | "bookmarks.lineBorder": "#FF0000", 14 | "bookmarks.overviewRuler": "#157EFB88" 15 | } 16 | ``` 17 | 18 | Bunun gibi bir yer işaretiyle sonuçlanabilir: 19 | 20 | ![Özelleştirilmiş Yer İşareti](customizedBookmark.png) -------------------------------------------------------------------------------- /walkthrough/customizingAppearance.nls.zh-cn.md: -------------------------------------------------------------------------------- 1 | ## 自定义外观 2 | 3 | 你可以在设置中自定义书签在编辑器中的呈现,以下是可供设定的颜色设置: 4 | 5 | - 装订线(Gutter Ruler)中书签图标的颜色; 6 | - 书签所在行的背景颜色; 7 | - 概览标尺(Overview Ruler)中书签标记的颜色。 8 | 9 | 就比如,如果在设置中像这样写: 10 | 11 | ```json 12 | "bookmarks.gutterIconFillColor": "none", 13 | // "bookmarks.gutterIconBorderColor": "157EFB", 14 | "workbench.colorCustomizations": { 15 | ... 16 | "bookmarks.lineBackground": "#0077ff2a", 17 | "bookmarks.lineBorder": "#FF0000", 18 | "bookmarks.overviewRuler": "#157EFB88" 19 | } 20 | ``` 21 | 22 | 就会变成这样: 23 | 24 | ![Customized Bookmark](customizedBookmark.png) 25 | -------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.md: -------------------------------------------------------------------------------- 1 | ## Define Labels for Your Bookmarks 2 | 3 | Bookmarks represent positions in your code, so you can easily and quickly go back to them whenever necessary. But sometimes its position or the content of that line is not so meaningful as you would like to be. 4 | 5 | To fill this gap, you can define **Labels** to be tied to the bookmark. 6 | 7 | You can eaily type your own **Label** when you toggle a bookmark, or you can ask the extension to suggest for you. 8 | 9 | You have a handlfull of alternatives to choose: 10 | 11 | * `useWhenSelected`: Use the selected text _(if available)_ directly, no confirmation required 12 | * `suggestWhenSelected`: Suggests the selected text _(if available)_. You still need to confirm. 13 | * `suggestWhenSelectedOrLineWhenNoSelected`: Suggests the selected text _(if available)_ or the entire line (when has no selection). You still need to confirm 14 | 15 | 16 | 17 | 20 | 21 |
18 | Open Settings 19 |
-------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.nls.es.md: -------------------------------------------------------------------------------- 1 | ## Elegir etiquetas para tus marcadores 2 | 3 | Los marcadores establecen posiciones concretas en tu código para que puedas volver a esas posiciones rápida y fácilmente siempre que quieras. Sin embargo, puede que la posición o el contenido de la línea no sean tan útiles como te gustaría que fuesen. 4 | 5 | Para solucionar esto, puedes escribir **etiquetas**, que van unidas al marcador. 6 | 7 | Puedes escribir tu propia **etiqueta** cuando estableces un marcador; también puedes dejar que la extensión te sugiera una. 8 | 9 | Tienes un montón de alternativas entre las que elegir: 10 | 11 | * `useWhenSelected`: usa el texto seleccionado inmediatamente _(si está disponible)_. No se necesita confirmación. 12 | * `suggestWhenSelected`: sugiere el texto seleccionado _(si está disponible)_. Es necesario que lo confirmes. 13 | * `suggestWhenSelectedOrLineWhenNoSelected`: sugiere el texto seleccionado _(si está disponible)_ o la línea entera (si no hay ninguna selección). Es necesario que lo confirmes. 14 | 15 | 16 | 17 | 20 | 21 |
18 | Abrir la configuración 19 |
-------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.nls.fr.md: -------------------------------------------------------------------------------- 1 | ## Définir des étiquettes pour vos signets 2 | 3 | Les signets représentent des positions dans votre code, vous permettant d’y revenir facilement et rapidement lorsque nécessaire. Mais parfois, leur position ou le contenu de la ligne n’est pas aussi significatif que vous le souhaiteriez. 4 | 5 | Pour combler cette lacune, vous pouvez définir des **étiquettes** associées au signet. 6 | 7 | Vous pouvez facilement saisir votre propre **étiquette** lorsque vous activez un signet, ou demander à l’extension de vous en suggérer une. 8 | 9 | Vous avez plusieurs alternatives à choisir : 10 | 11 | - `useWhenSelected` : Utilise directement le texte sélectionné _(si disponible)_, sans confirmation requise. 12 | - `suggestWhenSelected` : Suggère le texte sélectionné _(si disponible)_. Vous devez toujours confirmer. 13 | - `suggestWhenSelectedOrLineWhenNoSelected` : Suggère le texte sélectionné _(si disponible)_ ou la ligne entière (en l’absence de sélection). Vous devez toujours confirmer. 14 | 15 | 16 | 17 | 20 | 21 |
18 | Ouvrir les paramètres 19 |
22 | -------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.nls.hi.md: -------------------------------------------------------------------------------- 1 | ## अपने बुकमार्क्स के लिए लेबल निर्धारित करें 2 | 3 | बुकमार्क्स आपके कोड में किसी स्थान को दर्शाते हैं, ताकि आप जब भी आवश्यक हो, आसानी से और जल्दी उस स्थान पर लौट सकें। लेकिन कभी-कभी उस स्थान या उस पंक्ति की सामग्री का उतना अर्थपूर्ण महत्व नहीं होता, जितना आप चाहते हैं। 4 | 5 | इस अंतर को भरने के लिए, आप **लेबल** निर्धारित कर सकते हैं जो बुकमार्क से जुड़े होंगे। 6 | 7 | जब आप कोई बुकमार्क टॉगल करते हैं, तो आप आसानी से अपना स्वयं का **लेबल** टाइप कर सकते हैं, या एक्सटेंशन से सुझाव देने के लिए कह सकते हैं। 8 | 9 | आपके पास चुनने के लिए कई विकल्प होते हैं: 10 | 11 | * `useWhenSelected`: चयनित पाठ _(यदि उपलब्ध हो)_ का सीधे उपयोग करें, पुष्टि की आवश्यकता नहीं 12 | * `suggestWhenSelected`: चयनित पाठ का सुझाव दें _(यदि उपलब्ध हो)_। आपको पुष्टि करनी होगी। 13 | * `suggestWhenSelectedOrLineWhenNoSelected`: चयनित पाठ _(यदि उपलब्ध हो)_ या पूरी पंक्ति (जब कोई चयन नहीं हो) का सुझाव दें। आपको पुष्टि करनी होगी। 14 | 15 | 16 | 17 | 20 | 21 |
18 | सेटिंग्स खोलें 19 |
-------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.nls.pl.md: -------------------------------------------------------------------------------- 1 | ## Definiowanie Etykiet dla Twoich Zakładek 2 | 3 | Zakładki reprezentują pozycje w twoim kodzie, dzięki czemu możesz łatwo i szybko do nich wrócić, kiedy tylko jest to konieczne. Ale czasami pozycja ta lub zawartość danej linii nie jest tak znacząca, jak byś tego chciał. 4 | 5 | Aby wypełnić tę lukę, możesz zdefiniować **Etykiety**, które będą przypisane do zakładki. 6 | 7 | Możesz łatwo wpisać własną **Etykietę** podczas przełączania zakładki, lub możesz poprosić rozszerzenie, aby zaproponowało ci ją. 8 | 9 | Masz do wyboru kilka alternatyw: 10 | 11 | * `useWhenSelected`: Użyj zaznaczonego tekstu _(jeśli dostępny)_ bezpośrednio, bez potrzeby potwierdzenia 12 | * `suggestWhenSelected`: Zaproponuj zaznaczony tekst _(jeśli dostępny)_. Nadal musisz potwierdzić. 13 | * `suggestWhenSelectedOrLineWhenNoSelected`: Zaproponuj zaznaczony tekst _(jeśli dostępny)_ lub całą linię (kiedy nie ma zaznaczenia). Nadal musisz potwierdzić 14 | 15 | 16 | 17 | 20 | 21 |
18 | Otwórz Ustawienia 19 |
22 | -------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.nls.pt-br.md: -------------------------------------------------------------------------------- 1 | ## Defina Rótulos para Seus Bookmarks 2 | 3 | Bookmarks representam posições no seu código, o que permite que você volte de forma rápida e fácil para elas, sempre que necessário. Mas as vezes a posição ou o conteúdo da linha não é tão significativo quanto você gostaria que fosse.. 4 | 5 | Para preencher essa necessidade, você pode definir **Rótulos** a serem associados aos Bookmarks. 6 | 7 | Você pode facilmente digitar o **Rótulo** quando você cria o bookmark, ou você pode pedir a extensão para sugerir para você. 8 | 9 | Você tem algumas alternativas para escolher: 10 | 11 | * `useWhenSelected`: Usa o texto selecionado _(se disponível)_ diretamente, sem solicitar confirmação. 12 | * `suggestWhenSelected`: Sugere o texto selecionado _(se disponível)_. Você ainda precisa confirmar. 13 | * `suggestWhenSelectedOrLineWhenNoSelected`: Sugere o texto selecionado _(se disponível)_ ou a toda a linha (quando não houver seleção). Você ainda precisa confirmar. 14 | 15 | 16 | 17 | 20 | 21 |
18 | Abrir Configurações 19 |
-------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.nls.tr.md: -------------------------------------------------------------------------------- 1 | ## Yer İşaretleriniz için Etiketleri Tanımlayın 2 | 3 | Yer işaretleri kodunuzdaki konumları temsil eder; böylece gerektiğinde bunlara kolayca ve hızlı bir şekilde geri dönebilirsiniz. Ancak bazen o satırın konumu veya içeriği sizin istediğiniz kadar anlamlı olmayabilir. 4 | 5 | Bu boşluğu doldurmak için yer işaretine bağlanacak **Etiketler**'i tanımlayabilirsiniz. 6 | 7 | Bir yer işaretini değiştirdiğinizde kendi **Etiketinizi** kolayca yazabilir veya uzantının sizin için önermesini isteyebilirsiniz. 8 | 9 | Seçebileceğiniz bir sürü alternatifiniz var: 10 | 11 | * `useWhenSelected`: Seçilen metni _(varsa)_ doğrudan kullanın, onay gerekmez 12 | * `suggestWhenSelected`: Seçilen metni _(varsa)_ önerir. Hala onaylamanız gerekiyor. 13 | * `suggestWhenSelectedOrLineWhenNoSelected`: Seçilen metni _(varsa)_ veya tüm satırı (seçim olmadığında) önerir. Hala onaylamanız gerekiyor 14 | 15 | 16 | 17 | 20 | 21 |
18 | Ayarları Aç 19 |
-------------------------------------------------------------------------------- /walkthrough/defineLabelsForYourBookmarks.nls.zh-cn.md: -------------------------------------------------------------------------------- 1 | ## 为你的书签指定标签 2 | 3 | 书签承载了你代码中的位置信息,这样你就可以随时方便快捷的跳转回去了。但有时只有位置或者书签行上的文本似乎不太够啊。 4 | 5 | 为了填补这样的空缺,你可以为书签定义**标签**。 6 | 7 | 你可以在添加标签的时候指定其标签,而如果你拿不定主意,也能让书签扩展自动为你生成可供参考的建议。 8 | 9 | 若要让扩展生成建议,则有以下生成方式可供选取: 10 | 11 | - `useWhenSelected`: 如果可用,使用已选中的文本(不需要额外确认)。 12 | - `suggestWhenSelected`: 如果可用,使用已选中的文本(需要额外确认)。 13 | - `suggestWhenSelectedOrLineWhenNoSelected`: 如果可用,使用已选中的文本,或是当未选中任何文本时使用整行内容(需要额外确认)。 14 | 15 | 16 | 17 | 20 | 21 |
18 | 跳转设置项 19 |
22 | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.md: -------------------------------------------------------------------------------- 1 | ## Exclusive Side Bar 2 | 3 | An exclusive Side Bar with everything you need to increase your productivity. 4 | 5 | | Single Folder | Multi-root Workspace | 6 | |---------------|------------| 7 | | ![Side Bar](../images/printscreen-activity-bar.png) | ![Side Bar](../images/printscreen-activity-bar-multi-root.png) | 8 | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.nls.es.md: -------------------------------------------------------------------------------- 1 | ## Barra lateral exclusiva 2 | 3 | Una barra lateral exclusiva con todo lo que necesitas para aumentar tu productividad. 4 | 5 | | Una sola carpeta | Espacio de trabajo con muchas carpetas | 6 | |---------------|------------| 7 | | ![Barra lateral](../images/printscreen-activity-bar.png) | ![Barra lateral](../images/printscreen-activity-bar-multi-root.png) | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.nls.fr.md: -------------------------------------------------------------------------------- 1 | ## Barre latérale exclusive 2 | 3 | Une barre latérale exclusive avec tout ce dont vous avez besoin pour augmenter votre productivité. 4 | 5 | | Dossier unique | Espace de travail multi-racines | 6 | |---------------|------------| 7 | | ![Barre latérale](../images/printscreen-activity-bar.png) | ![Barre latérale](../images/printscreen-activity-bar-multi-root.png) | 8 | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.nls.hi.md: -------------------------------------------------------------------------------- 1 | ## विशेष साइड बार 2 | 3 | एक विशेष साइड बार जिसमें आपकी उत्पादकता बढ़ाने के लिए आवश्यक सभी चीजें शामिल हैं। 4 | 5 | | एकल फ़ोल्डर | मल्टी-रूट वर्कस्पेस | 6 | |-------------|---------------------| 7 | | ![साइड बार](../images/printscreen-activity-bar.png) | ![साइड बार](../images/printscreen-activity-bar-multi-root.png) | 8 | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.nls.pl.md: -------------------------------------------------------------------------------- 1 | ## Ekskluzywny Pasek Boczny 2 | 3 | Ekskluzywny Pasek Boczny z wszystkim, czego potrzebujesz, aby zwiększyć swoją produktywność. 4 | 5 | | Pojedynczy folder | Multi-root Przestrzeń robocza | 6 | | --------------------------------------------------- | -------------------------------------------------------------- | 7 | | ![Pasek Boczny](../images/printscreen-activity-bar.png) | ![Pasek Boczny](../images/printscreen-activity-bar-multi-root.png) | 8 | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.nls.pt-br.md: -------------------------------------------------------------------------------- 1 | ## Barra Lateral Exclusiva 2 | 3 | Uma Barra Lateral exclusiva com tudo que você precisa para aumentar sua produtividade. 4 | 5 | | Pasta Simples | Workspace com Múltiplas Pastas | 6 | |---------------|------------| 7 | | ![Barra Lateral](../images/printscreen-activity-bar.png) | ![Barra Lateral](../images/printscreen-activity-bar-multi-root.png) | 8 | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.nls.tr.md: -------------------------------------------------------------------------------- 1 | ## Özel Yan Bar 2 | 3 | Üretkenliğinizi artırmak için ihtiyacınız olan her şeyi içeren özel bir Kenar Çubuğu. 4 | 5 | | Tek Klasör | Çok Köklü Çalışma Alanı | 6 | | --------------------------------------------------- | -------------------------------------------------------------- | 7 | | ![Kenar Çubuğu](../images/printscreen-activity-bar.png) | ![Kenar Çubuğu](../images/printscreen-activity-bar-multi-root.png) | 8 | -------------------------------------------------------------------------------- /walkthrough/exclusiveSideBar.nls.zh-cn.md: -------------------------------------------------------------------------------- 1 | ## 专属侧边栏 2 | 3 | 一个专属侧边栏,为你提供改善工作效率所需要的一切。 4 | 5 | | 单文件夹 | 多目录工作区 | 6 | | --------------------------------------------------- | -------------------------------------------------------------- | 7 | | ![Side Bar](../images/printscreen-activity-bar.png) | ![Side Bar](../images/printscreen-activity-bar-multi-root.png) | 8 | -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.md: -------------------------------------------------------------------------------- 1 | ## Navigate to Bookmarks 2 | 3 | Bookmarks represent positions in your code, so you can easily and quickly go back to them whenever necessary. 4 | 5 | The extension provides commands to quickly navigate back and forth between bookmarks, like `Bookmarks: Jump to Next` and `Bookmarks: Jump to Previous`. 6 | 7 | But it is not limited to this. It also provides commands to see all Bookmarks within a file, or the entire workspace and easily go to it. Use the `Bookmarks: List` and `Bookmarks: List from All Files` command instead, and the extension will display a preview of the bookmarked line (or its label) and it position. 8 | 9 | ![List](../images/bookmarks-list-from-all-files.gif) 10 | 11 | > Tip: If you simply navigate on the list, the editor will temporarily scroll to its position, giving you a better understanding if that bookmark is what you were looking for. 12 | 13 | -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.nls.es.md: -------------------------------------------------------------------------------- 1 | ## Ir a los marcadores 2 | 3 | Los marcadores establecen posiciones concretas en tu código para que puedas volver a esas posiciones rápida y fácilmente siempre que quieras. 4 | 5 | Esta extensión ofrece comandos para que puedas navegar de atrás hacia adelante (y viceversa) entre los marcadores: `Bookmarks: Ir al siguiente` y `Bookmarks: Ir al anterior`. 6 | 7 | Aun así, no se limita a esto, pues también ofrece comandos para ver todos los marcadores en un archivo o en un espacio de trabajo entera. Usa el comando `Bookmarks: Mostrar` y `Bookmarks: Mostrar marcadores de todos los archivos` para que la extensión muestre una vista previa de la línea que tiene un marcador (o su etiqueta) y su posición. 8 | 9 | ![Lista](../images/bookmarks-list-from-all-files.gif) 10 | 11 | > Consejo: si navegas a través de la lista, el editor irá temporalmente a la posición del marcador, así puedes saber si ese es el marcador que estás buscando. -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.nls.fr.md: -------------------------------------------------------------------------------- 1 | ## Navigation entre les signets 2 | 3 | Les signets représentent des positions dans votre code, vous permettant d’y revenir facilement et rapidement lorsque nécessaire. 4 | 5 | L’extension fournit des commandes pour naviguer rapidement d’un signet à l’autre, comme `Bookmarks: Jump to Next` et `Bookmarks: Jump to Previous`. 6 | 7 | Mais ce n’est pas tout. Elle propose également des commandes pour voir tous les signets d’un fichier ou de l’ensemble de l’espace de travail et y accéder facilement. Utilisez plutôt les commandes `Bookmarks: List` et `Bookmarks: List from All Files`, et l’extension affichera un aperçu de la ligne marquée (ou son étiquette) et sa position. 8 | 9 | ![Liste](../images/bookmarks-list-from-all-files.gif) 10 | 11 | > Astuce : Si vous naviguez simplement dans la liste, l’éditeur défilera temporairement jusqu'à la position correspondante, vous permettant de mieux comprendre si ce signet est celui que vous recherchiez. 12 | -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.nls.hi.md: -------------------------------------------------------------------------------- 1 | ## बुकमार्क्स पर जाएँ 2 | 3 | बुकमार्क्स आपके कोड में स्थानों को दर्शाते हैं, ताकि आप जब भी आवश्यक हो, आसानी से और जल्दी वहां लौट सकें। 4 | 5 | यह एक्सटेंशन आपको बुकमार्क्स के बीच जल्दी से आगे-पीछे नेविगेट करने के लिए कमांड प्रदान करता है, जैसे `Bookmarks: Jump to Next` और `Bookmarks: Jump to Previous`। 6 | 7 | लेकिन यह यहीं तक सीमित नहीं है। यह फ़ाइल या पूरे वर्कस्पेस के भीतर सभी बुकमार्क्स देखने और आसानी से वहाँ जाने के लिए भी कमांड प्रदान करता है। इसके लिए `Bookmarks: List` और `Bookmarks: List from All Files` कमांड का उपयोग करें, और एक्सटेंशन बुकमार्क की गई पंक्ति (या उसका लेबल) और उसकी स्थिति का पूर्वावलोकन दिखाएगा। 8 | 9 | ![सूची](../images/bookmarks-list-from-all-files.gif) 10 | 11 | > सुझाव: यदि आप केवल सूची में नेविगेट करते हैं, तो संपादक अस्थायी रूप से उस स्थिति पर स्क्रॉल करेगा, जिससे आपको यह समझने में मदद मिलेगी कि क्या यह वही बुकमार्क है जिसकी आप तलाश कर रहे थे। 12 | -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.nls.pl.md: -------------------------------------------------------------------------------- 1 | ## Nawigacja do Zakładek 2 | 3 | Zakładki reprezentują pozycje w twoim kodzie, dzięki czemu możesz łatwo i szybko do nich wracać, kiedy tylko jest to konieczne. 4 | 5 | Rozszerzenie oferuje polecenia umożliwiające szybką nawigację do przodu i do tyłu między zakładkami, takie jak `Zakładki: Skocz do następnego` i `Zakładki: Skocz do poprzedniego`. 6 | 7 | Ale to nie wszystko. Rozszerzenie umożliwia również wyświetlenie wszystkich zakładek w pliku lub w całym obszarze roboczym i łatwe przejście do nich. Użyj poleceń `Zakładki: Lista` i `Zakładki: Lista ze wszystkich plików`, a rozszerzenie wyświetli podgląd zakładkowanej linii (lub jej etykiety) i jej pozycji. 8 | 9 | ![Lista](../images/bookmarks-list-from-all-files.gif) 10 | 11 | > Wskazówka: Jeśli po prostu nawigujesz po liście, edytor tymczasowo przewinie do jej pozycji, dając ci lepsze zrozumienie, czy ta zakładka jest tym, czego szukałeś. 12 | -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.nls.pt-br.md: -------------------------------------------------------------------------------- 1 | ## Navegar para Bookmarks 2 | 3 | Bookmarks representam posições no seu código, então você pode voltar a elas de forma rápida e fácil sempre que necessário. 4 | 5 | Essa extensão disponibiliza comandos para nevegar facilmente para os bookmarks a frente e atrás, tais como `Bookmarks: Pular para o Próximo` and `Bookmarks: Pular para o Anterior`. 6 | 7 | Mas não está limitado a isso. Também disponibiliza comandos para visualizar todos os bookmarks em um arquivo, ou em toda a área de trabalho. Use os comandos `Bookmarks: Listar` and `Bookmarks: Listar de Todos os Arquivos`, e a extensão apresentará uma prévia da linha com bookmark (ou seu rótulo) e sua posição. 8 | 9 | ![Lista](../images/bookmarks-list-from-all-files.gif) 10 | 11 | > Dica: Se você simplesmente navegar pela lista, o editor irá rolar temporariamente para a posição do bookmark, dando-lhe um entendimento melhor se o bookmark é aquele que você está procurando. 12 | 13 | -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.nls.tr.md: -------------------------------------------------------------------------------- 1 | ## Yer İşaretlerine Git 2 | 3 | Yer işaretleri kodunuzdaki konumları temsil eder; böylece gerektiğinde bunlara kolayca ve hızlı bir şekilde geri dönebilirsiniz. 4 | 5 | Uzantı, `Yer İşaretleri: Sonrakine Geç` ve `Yer İşaretleri: Öncekine Geç` gibi yer işaretleri arasında hızlı bir şekilde ileri geri gezinmek için komutlar sağlar.. 6 | 7 | Ancak bununla sınırlı değil. Ayrıca bir dosyadaki tüm Yer İşaretlerini veya çalışma alanının tamamını görmenizi ve ona kolayca gitmenizi sağlayan komutlar da sağlar. Bunun yerine `Yer İşaretleri: Liste` ve `Yer İşaretleri: Tüm Dosyalardan Listele` komutunu kullanın; uzantı, yer işareti eklenen satırın (veya etiketinin) ve konumunun bir önizlemesini görüntüler. 8 | 9 | ![Liste](../images/bookmarks-list-from-all-files.gif) 10 | 11 | > İpucu: Sadece listede gezinirseniz, düzenleyici geçici olarak o konuma kaydırarak o yer işaretinin aradığınız şey olup olmadığını daha iyi anlamanızı sağlar. 12 | 13 | -------------------------------------------------------------------------------- /walkthrough/navigateToBookmarks.nls.zh-cn.md: -------------------------------------------------------------------------------- 1 | ## 跳转至书签 2 | 3 | 书签承载了你代码中的位置信息,以便你可以随时方便快捷的跳转回去。 4 | 5 | 本扩展提供了能够在书签之间快速来回导航的命令: `书签: 跳转至上一个书签` 与 `书签: 跳转至下一个书签`。 6 | 7 | 但绝不仅限于此,本扩展还提供了这些指令: 8 | 9 | - `书签: 列出文件中所有书签`:列出文件中的所有书签; 10 | - `书签: 列出所有书签`:列出所有文件中的书签; 11 | 12 | 使用这些指令时,本扩展便会显示书签标记行(或是其标签)及其位置的预览。 13 | 14 | ![List](../images/bookmarks-list-from-all-files.gif) 15 | 16 | > Tip: 你只需在列表中上下切换,编辑器就会自动暂时滚动到书签所在的位置,这样你就能更快的找到你所需要的书签了。 17 | -------------------------------------------------------------------------------- /walkthrough/toggle.md: -------------------------------------------------------------------------------- 1 | ## Toggle Bookmarks 2 | 3 | You can easily Mark/Unmark bookmarks on any position. You can even define **Labels** for each bookmark. 4 | 5 | ![Toggle](../images/printscreen-toggle.png) 6 | 7 | > Tip: Use Keyboard Shortcut Cmd + Alt + K -------------------------------------------------------------------------------- /walkthrough/toggle.nls.es.md: -------------------------------------------------------------------------------- 1 | ## Alternar marcadores 2 | 3 | Puedes marcar o desmarcar marcadores en cualquier posición. También puedes elegir **etiquetas** para cada marcador. 4 | 5 | ![Alternar](../images/printscreen-toggle.png) 6 | 7 | > Consejo: usa el atajo de teclado Cmd + Alt + K -------------------------------------------------------------------------------- /walkthrough/toggle.nls.fr.md: -------------------------------------------------------------------------------- 1 | ## Activer/Désactiver les signets 2 | 3 | Vous pouvez facilement marquer ou démarquer des signets à n’importe quelle position. Vous pouvez même définir des **étiquettes** pour chaque signet. 4 | 5 | ![Basculer](../images/printscreen-toggle.png) 6 | 7 | > Astuce : Utilisez le raccourci clavier Cmd + Alt + K. 8 | -------------------------------------------------------------------------------- /walkthrough/toggle.nls.hi.md: -------------------------------------------------------------------------------- 1 | ## बुकमार्क्स टॉगल करें 2 | 3 | आप किसी भी स्थान पर आसानी से बुकमार्क को चिह्नित या अचिह्नित (Mark/Unmark) कर सकते हैं। आप प्रत्येक बुकमार्क के लिए **लेबल** भी निर्धारित कर सकते हैं। 4 | 5 | ![टॉगल](../images/printscreen-toggle.png) 6 | 7 | > सुझाव: कीबोर्ड शॉर्टकट Cmd + Alt + K का उपयोग करें 8 | -------------------------------------------------------------------------------- /walkthrough/toggle.nls.pl.md: -------------------------------------------------------------------------------- 1 | ## Przełączanie Zakładek 2 | 3 | Możesz łatwo oznaczać/odznaczać zakładki w dowolnej pozycji. Możesz nawet definiować **Etykiety** dla każdej zakładki. 4 | 5 | ![Przełączanie](../images/printscreen-toggle.png) 6 | 7 | > Wskazówka: Użyj skrótu klawiaturowego Cmd + Alt + K 8 | -------------------------------------------------------------------------------- /walkthrough/toggle.nls.pt-br.md: -------------------------------------------------------------------------------- 1 | ## Anternar Bookmarks 2 | 3 | Você pode adicionar/remover bookmarks facilmente em qualquer posição. Você pode inclusive definir **Rótulos** para cada bookmark. 4 | 5 | ![Alternar](../images/printscreen-toggle.png) 6 | 7 | > Dica: Use o Atalho de Teclado Cmd + Alt + K -------------------------------------------------------------------------------- /walkthrough/toggle.nls.tr.md: -------------------------------------------------------------------------------- 1 | ## Yer İmlerini Göster/Gizle 2 | 3 | Herhangi bir konumdaki yer imlerini kolayca İşaretleyebilir/İşaretini kaldırabilirsiniz. Hatta her yer işareti için **Etiketler**bile tanımlayabilirsiniz. 4 | 5 | ![Göster/Gizle](../images/printscreen-toggle.png) 6 | 7 | > Tüyo: Cmd + Alt + K tuşlarını kullan -------------------------------------------------------------------------------- /walkthrough/toggle.nls.zh-cn.md: -------------------------------------------------------------------------------- 1 | ## 添加 / 删除书签 2 | 3 | 你能够轻易的在任意位置添加或删除书签,并且还能为每个书签自定义其 **标签**。 4 | 5 | ![Toggle](../images/printscreen-toggle.png) 6 | 7 | > Tip: 该指令默认绑定在快捷键组合 Cmd + Alt + K 8 | -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.md: -------------------------------------------------------------------------------- 1 | ## Working with Remotes 2 | 3 | The extension fully supports [Remote Development](https://code.visualstudio.com/docs/remote/remote-overview) scenarios. 4 | 5 | It means that when you connect to a _remote_ location, like a Docker Container, SSH or WSL, the extension will be available, ready to be used. 6 | 7 | > You don't need to install the extension on the remote. 8 | 9 | Better yet, if you use `bookmarks.saveBookmarksInProject` setting defined as `true`, the bookmarks saved locally _will be available_ remotely, and you will be able to navigate and update the bookmarks. Just like it was a resource from folder you opened remotely. 10 | 11 | -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.nls.es.md: -------------------------------------------------------------------------------- 1 | ## Trabajando con remotos 2 | 3 | La extensión acepta escenarios de [Desarrollo remoto](https://code.visualstudio.com/docs/remote/remote-overview). 4 | 5 | Esto quiere decir que la extensión estará disponible y lista para ser usada cuando te conectes a un recurso _remoto_, como un contenedor de Docker, SSH o WSL. 6 | 7 | > No necesitas instalar la extensión en el recurso remoto. 8 | 9 | Además, puedes definir la configuración `bookmarks.saveBookmarksInProject` como `true` para que los marcadores guardados localmente _estén disponibles_ de manera remota. Así, puedes navegar y actualizar los marcadores, como si se tratase de un recurso de una carpeta que abriste remotamente. -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.nls.fr.md: -------------------------------------------------------------------------------- 1 | ## Travailler avec des environnements distants 2 | 3 | L’extension prend entièrement en charge les scénarios de [Développement à distance](https://code.visualstudio.com/docs/remote/remote-overview). 4 | 5 | Cela signifie que lorsque vous vous connectez à un emplacement _distant_, comme un conteneur Docker, SSH ou WSL, l’extension sera disponible et prête à être utilisée. 6 | 7 | > Vous n’avez pas besoin d’installer l’extension sur l’environnement distant. 8 | 9 | Encore mieux, si vous utilisez le paramètre `bookmarks.saveBookmarksInProject` défini sur `true`, les signets enregistrés localement _seront disponibles_ à distance, et vous pourrez naviguer et mettre à jour les signets. Comme s’il s’agissait d’une ressource du dossier que vous avez ouvert à distance. 10 | -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.nls.hi.md: -------------------------------------------------------------------------------- 1 | ## रिमोट्स के साथ कार्य करना 2 | 3 | यह एक्सटेंशन [रिमोट डेवलपमेंट](https://code.visualstudio.com/docs/remote/remote-overview) परिदृश्यों का पूर्ण समर्थन करता है। 4 | 5 | इसका मतलब है कि जब आप किसी _रिमोट_ स्थान से कनेक्ट करते हैं, जैसे Docker कंटेनर, SSH या WSL, तो यह एक्सटेंशन वहां भी उपलब्ध होगा और उपयोग के लिए तैयार रहेगा। 6 | 7 | > आपको रिमोट सिस्टम पर एक्सटेंशन इंस्टॉल करने की आवश्यकता नहीं है। 8 | 9 | और भी बेहतर यह है कि यदि आपने `bookmarks.saveBookmarksInProject` सेटिंग को `true` पर सेट किया है, तो स्थानीय रूप से सहेजे गए बुकमार्क्स _रिमोट पर भी उपलब्ध होंगे_, और आप उन बुकमार्क्स को नेविगेट और अपडेट कर सकेंगे। जैसे आपने वह फ़ोल्डर रिमोटली खोला हो। 10 | -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.nls.pl.md: -------------------------------------------------------------------------------- 1 | ## Praca z Zdalnymi 2 | 3 | Rozszerzenie w pełni wspiera scenariusze [Zdalnego Rozwoju](https://code.visualstudio.com/docs/remote/remote-overview). 4 | 5 | Oznacza to, że gdy połączysz się z lokalizacją _zdalną_, taką jak Kontener Docker, SSH lub WSL, rozszerzenie będzie dostępne i gotowe do użycia. 6 | 7 | > Nie musisz instalować rozszerzenia na zdalnym komputerze. 8 | 9 | Co więcej, jeśli użyjesz ustawienia `bookmarks.saveBookmarksInProject` zdefiniowanego jako `true`, zakładki zapisane lokalnie _będą dostępne_ zdalnie, i będziesz mógł nawigować i aktualizować zakładki. Tak jakby były to zasoby z folderu, który otworzyłeś zdalnie. 10 | -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.nls.pt-br.md: -------------------------------------------------------------------------------- 1 | ## Trabalhando com Remotos 2 | 3 | A extensão suporta completamente cenários de [Desenvolvimento Remoto](https://code.visualstudio.com/docs/remote/remote-overview). 4 | 5 | Isso significa que quando você conecta a um local _remoto_, como Container Docker, SSH ou WSL, a extensão estará disponível, pronta para ser usada. 6 | 7 | > Você não precisa instalar a extensão no ambiente remoto. 8 | 9 | Melhor ainda, se você usar a configuração `bookmarks.saveBookmarksInProject` definida como `true`, os bookmarks salvos localmente _estarão disponíveis_ remotamente, e você conseguirá navegar e atualizar os bookmarks. Assim como se fosse um recurso de uma pasta que você abriu remotamente. 10 | 11 | -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.nls.tr.md: -------------------------------------------------------------------------------- 1 | ## Uzaktan Çalışma 2 | 3 | Uzantı, [Uzaktan Geliştirme](https://code.visualstudio.com/docs/remote/remote-overview) senaryolarını tamamen destekler. 4 | 5 | Bu, Docker Container, SSH veya WSL gibi bir _remote_ konuma bağlandığınızda uzantının kullanıma hazır olacağı anlamına gelir. 6 | 7 | > Uzantıyı uzak cihaza yüklemenize gerek yoktur. 8 | 9 | Daha da iyisi, `true` olarak tanımlanan `bookmarks.saveBookmarksInProject` ayarını kullanırsanız, yerel olarak kaydedilen yer işaretleri uzaktan kullanılabilir olacak ve yer işaretlerinde gezinebilecek ve bunları güncelleyebileceksiniz. Tıpkı uzaktan açtığınız klasördeki bir kaynak olduğu gibi. 10 | -------------------------------------------------------------------------------- /walkthrough/workingWithRemotes.nls.zh-cn.md: -------------------------------------------------------------------------------- 1 | ## 兼容 VS Code 远程开发 2 | 3 | 本扩展完全兼容 [远程开发](https://code.visualstudio.com/docs/remote/remote-overview)。 4 | 5 | 这意味着当你连接到远程,比如 Docker 容器,SSH 或是 WSL 时,本扩展依旧可用。 6 | 7 | > 你不需要在远程环境中安装本扩展。 8 | 9 | 更妙的是,如果你启用设置项 `bookmarks.saveBookmarksInProject`,则扩展将会把书签保存在工作区中,这样即使你完全处在远程环境中,也仍然可以访问 —— 跳转到或是更改这些保存下来的书签。 10 | -------------------------------------------------------------------------------- /webpack.config.js: -------------------------------------------------------------------------------- 1 | /*--------------------------------------------------------------------------------------------- 2 | * Copyright (c) Alessandro Fragnani. All rights reserved. 3 | * Copyright (c) Microsoft Corporation. All rights reserved. 4 | * Licensed under the GPLv3 License. See License.txt in the project root for license information. 5 | *--------------------------------------------------------------------------------------------*/ 6 | 7 | //@ts-check 8 | 9 | 'use strict'; 10 | 11 | const path = require('path'); 12 | const TerserPlugin = require('terser-webpack-plugin'); 13 | const webpack = require('webpack'); 14 | 15 | 16 | 17 | /**@type {import('webpack').Configuration}*/ 18 | const config = { 19 | entry: "./src/extension.ts", 20 | optimization: { 21 | minimizer: [new TerserPlugin({ 22 | parallel: true, 23 | terserOptions: { 24 | ecma: 2019, 25 | keep_classnames: false, 26 | mangle: true, 27 | module: true 28 | } 29 | })], 30 | }, 31 | 32 | devtool: 'source-map', 33 | externals: { 34 | vscode: "commonjs vscode" // the vscode-module is created on-the-fly and must be excluded. Add other modules that cannot be webpack'ed, 📖 -> https://webpack.js.org/configuration/externals/ 35 | }, 36 | resolve: { // support reading TypeScript and JavaScript files, 📖 -> https://github.com/TypeStrong/ts-loader 37 | extensions: ['.ts', '.js'] 38 | }, 39 | module: { 40 | rules: [{ 41 | test: /\.ts$/, 42 | exclude: /node_modules/, 43 | use: [{ 44 | loader: 'ts-loader', 45 | }] 46 | }] 47 | }, 48 | }; 49 | 50 | const nodeConfig = { 51 | ...config, 52 | target: "node", 53 | output: { // the bundle is stored in the 'dist' folder (check package.json), 📖 -> https://webpack.js.org/configuration/output/ 54 | path: path.resolve(__dirname, 'dist'), 55 | filename: 'extension-node.js', 56 | libraryTarget: "commonjs2", 57 | devtoolModuleFilenameTemplate: "../[resource-path]", 58 | }, 59 | } 60 | 61 | module.exports = [nodeConfig]; 62 | --------------------------------------------------------------------------------