diff --git a/.github/ISSUE_TEMPLATE/1-problem_report.yml b/.github/ISSUE_TEMPLATE/1-problem_report.yml index 5417a3be..84213162 100644 --- a/.github/ISSUE_TEMPLATE/1-problem_report.yml +++ b/.github/ISSUE_TEMPLATE/1-problem_report.yml @@ -1,6 +1,6 @@ name: Problem report description: Please report your problem here to help us improve. -labels: ["Confirmation pending"] +labels: ["Confirmation Pending"] body: - type: markdown attributes: diff --git a/.github/ISSUE_TEMPLATE/2-feature_request.yml b/.github/ISSUE_TEMPLATE/2-feature_request.yml index bb6e7f22..64e8a7cb 100644 --- a/.github/ISSUE_TEMPLATE/2-feature_request.yml +++ b/.github/ISSUE_TEMPLATE/2-feature_request.yml @@ -1,6 +1,6 @@ name: Feature request description: Suggest a new idea for Sandboxie. -labels: ["Feature request"] +labels: ["Feature Request"] body: - type: markdown attributes: diff --git a/.github/workflows/codespell.yml b/.github/workflows/codespell.yml index e485a4a8..1b957dbe 100644 --- a/.github/workflows/codespell.yml +++ b/.github/workflows/codespell.yml @@ -126,5 +126,5 @@ jobs: echo 'tailing->trailing' >> dictionary_code.txt # Only lowercase letters are allowed in --ignore-words-list codespell --dictionary=dictionary.txt --dictionary=dictionary_rare.txt --dictionary=dictionary_code.txt \ - --ignore-words-list="wil,unknwn,tolen,pevent,doubleclick,parm,parms,etcp,ois,ba,ptd,modell,namesd,stdio,uint,errorstring,ontext,atend,deque,ecounter,nmake,namess,inh,daa,varient,lite,uis,emai,ws,slanguage,woh,tne,typpos,enew,shft,seh,ser,servent,socio-economic,rime,falt,infor,vor,lets,od,fo,aas," \ + --ignore-words-list="wil,unknwn,tolen,pevent,doubleclick,parm,parms,etcp,ois,ba,ptd,modell,namesd,stdio,uint,errorstring,ontext,atend,deque,ecounter,nmake,namess,inh,daa,varient,lite,uis,emai,ws,slanguage,woh,tne,typpos,enew,shft,seh,ser,servent,socio-economic,rime,falt,infor,vor,lets,od,fo,aas,shs," \ --skip="./.git,./.github/workflows/codespell.yml,./dictionary*.txt,./Sandboxie/msgs/Text-*-*.txt,./Sandboxie/msgs/report/Report-*.txt,./SandboxiePlus/SandMan/*.ts,./Installer/Languages.iss,./Installer/isl/*.isl,./SandboxiePlus/SandMan/Troubleshooting/lang_*.json,./Sandboxie/install/build.bat,./SandboxieTools/ImBox/dc/crypto_fast/xts_fast.c" diff --git a/.github/workflows/hash.yml b/.github/workflows/hash.yml new file mode 100644 index 00000000..2aeb6531 --- /dev/null +++ b/.github/workflows/hash.yml @@ -0,0 +1,146 @@ +name: Hash Released Files + +on: + release: + types: + - published # Trigger the workflow when a release, pre-release, or draft of a release was published + - edited # Trigger the workflow when the details of a release, pre-release, or draft release were edited + +concurrency: + group: hash-${{ github.event.release.tag_name }} # Use the release tag name for concurrency + cancel-in-progress: true # Cancel any in-progress runs for the same group + +jobs: + calculate-hashes: + runs-on: ubuntu-latest # Use the latest Ubuntu environment + if: github.repository == 'sandboxie-plus/Sandboxie' # Only run this job if the event is from the specified repository + permissions: + contents: write # Allow writing to the repository's contents + + env: + HASH_FILE: "sha256-checksums.txt" # Name of the file for storing SHA256 hashes + + steps: + - name: Download release assets + run: | + mkdir -p assets # Create a directory for downloaded assets + TAG=${{ github.event.release.tag_name }} # Get the release tag name + + # Fetch asset data from GitHub API + ASSET_DATA=$(curl -sSL \ + -H "Authorization: token ${{ secrets.GITHUB_TOKEN }}" \ + -H "X-GitHub-Api-Version: 2022-11-28" \ + "https://api.github.com/repos/${{ github.repository }}/releases/tags/$TAG") + + ASSET_URLS=($(echo "$ASSET_DATA" | jq -r '.assets[].browser_download_url')) # Extract asset URLs + ASSET_NAMES=($(echo "$ASSET_DATA" | jq -r '.assets[].name')) # Extract asset names + + # Download each asset + for i in "${!ASSET_URLS[@]}"; do + url="${ASSET_URLS[i]}" # Current asset URL + name="${ASSET_NAMES[i]}" # Current asset name + echo "Downloading: $url" + if ! curl --fail -L -o "assets/$name" "$url"; then + echo "Failed to download: $url" + exit 1 # Exit on failure + fi + done + + - name: Check for downloaded assets + id: check_assets + run: | + # Check if any assets were downloaded (excluding the hash file) + if [ "$(ls -A assets | grep -v ${{ env.HASH_FILE }})" ]; then + echo "Assets downloaded." + echo "assets_downloaded=true" >> $GITHUB_ENV + else + echo "No assets downloaded." + echo "assets_downloaded=false" >> $GITHUB_ENV + fi + + - name: Calculate file hashes + if: env.assets_downloaded == 'true' # Only run if assets were downloaded + run: | + cd assets # Change to the assets directory + ls -la # List files for debugging + > "../${{ env.HASH_FILE }}" # Clear or create the hash file + + # Loop through each file and calculate its SHA256 hash + for file in *; do + if [[ "$file" == "${{ env.HASH_FILE }}" ]]; then # Skip the hash file itself + echo "Skipping: $file" + continue + fi + echo "Calculating hash for: $file" + hash_value=$(sha256sum "$file" | awk '{ print $1 }') # Calculate the hash + echo "$hash_value $file" >> "../${{ env.HASH_FILE }}" # Append hash to the hash file + done + # Change back to the previous directory to reference the new hash file + cd .. + cat "${{ env.HASH_FILE }}" # Display the contents of the new hash file + + - name: Check and upload hashes to release + if: env.assets_downloaded == 'true' # Only run if assets were downloaded + run: | + # Get the Release ID using the GitHub API + RELEASE_ID=$(curl -sL \ + -H "Accept: application/vnd.github+json" \ + -H "Authorization: token ${{ secrets.GITHUB_TOKEN }}" \ + -H "X-GitHub-Api-Version: 2022-11-28" \ + "https://api.github.com/repos/${{ github.repository }}/releases/tags/${{ github.event.release.tag_name }}" | \ + jq -r '.id') + + echo "Release ID: $RELEASE_ID" + + # Check if an existing hash file asset is present + EXISTING_HASH_FILE="assets/${{ env.HASH_FILE }}" + if [ -f "$EXISTING_HASH_FILE" ]; then + echo "Found existing hash file. Comparing..." + # Print the contents of both files for debugging + echo "New hash file contents:" + cat "${{ env.HASH_FILE }}" + + echo "Existing hash file contents:" + cat "$EXISTING_HASH_FILE" + + # Compare the new hash file with the existing one + if cmp -s "${{ env.HASH_FILE }}" "$EXISTING_HASH_FILE"; then + echo "Hashes are the same. Skipping upload." + exit 0 # Exit if hashes are the same + else + echo "Hashes are different." + # Show differences for debugging + diff "${{ env.HASH_FILE }}" "$EXISTING_HASH_FILE" || true + + # Proceed to delete the existing asset if necessary + EXISTING_ASSET_ID=$(curl -sL \ + -H "Accept: application/vnd.github+json" \ + -H "Authorization: token ${{ secrets.GITHUB_TOKEN }}" \ + -H "X-GitHub-Api-Version: 2022-11-28" \ + "https://api.github.com/repos/${{ github.repository }}/releases/$RELEASE_ID/assets" | \ + jq -r --arg FILE_NAME "${{ env.HASH_FILE }}" '.[] | select(.name == $FILE_NAME) | .id') + + if [ -n "$EXISTING_ASSET_ID" ]; then + echo "Deleting existing asset..." + curl -sL \ + -X DELETE \ + -H "Accept: application/vnd.github+json" \ + -H "Authorization: token ${{ secrets.GITHUB_TOKEN }}" \ + -H "X-GitHub-Api-Version: 2022-11-28" \ + "https://api.github.com/repos/${{ github.repository }}/releases/assets/$EXISTING_ASSET_ID" || { echo "Failed to delete asset"; exit 1; } + fi + fi + else + echo "No existing hash file found." + fi + + # Upload the new hash file to the release + echo "Uploading new hash file..." + curl -sL \ + -X POST \ + -H "Accept: application/vnd.github+json" \ + -H "Authorization: token ${{ secrets.GITHUB_TOKEN }}" \ + -H "X-GitHub-Api-Version: 2022-11-28" \ + -H "Content-Type: application/octet-stream" \ + "https://uploads.github.com/repos/${{ github.repository }}/releases/$RELEASE_ID/assets?name=${{ env.HASH_FILE }}" \ + --data-binary @"${{ github.workspace }}/${{ env.HASH_FILE }}" || { echo "Failed to upload hash file"; exit 1; } diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml index 8a3919e7..1e51058b 100644 --- a/.github/workflows/main.yml +++ b/.github/workflows/main.yml @@ -4,7 +4,7 @@ on: workflow_dispatch: push: - branches: [ master ] + branches: [master, experimental] paths-ignore: # Case-sensitive paths to ignore on push events - '.editorconfig' @@ -16,6 +16,7 @@ on: - '.github/ISSUE_TEMPLATE/**' - '.github/workflows/codeql.yml' - '.github/workflows/codespell.yml' + - '.github/workflows/hash.yml' - '.github/workflows/lupdate.yml' - '.github/workflows/stale.yml' - '.github/workflows/test.yml' @@ -35,7 +36,7 @@ on: - '**/AUTHORS' - '**/COPYING' pull_request: - branches: [ master ] + branches: [master, experimental] paths-ignore: # Case-sensitive paths to ignore on pull events - '.editorconfig' @@ -47,6 +48,7 @@ on: - '.github/ISSUE_TEMPLATE/**' - '.github/workflows/codeql.yml' - '.github/workflows/codespell.yml' + - '.github/workflows/hash.yml' - '.github/workflows/lupdate.yml' - '.github/workflows/stale.yml' - '.github/workflows/test.yml' @@ -67,17 +69,17 @@ on: - '**/COPYING' env: - qt_version: 5.15.14 + qt_version: 5.15.15 qt6_version: 6.3.1 - openssl_version: 3.3.1 + openssl_version: 3.3.2 ghSsl_user: xanasoft ghSsl_repo: openssl-builds #ghQt6Win7_user: DavidXanatos #ghQt6Win7_repo: qtbase ghQtBuilds_user: xanasoft ghQtBuilds_repo: qt-builds - ghQtBuilds_hash_x86: bf4124046cc50ccbbeb3f786c041e884fd4205cd6e616070a75c850105cbf1db - ghQtBuilds_hash_x64: 30290d82a02bfaa24c1bf37bcb9c074aba18a673a7176628fccdf71197cee898 + ghQtBuilds_hash_x86: 0dc0048be815eeaa76bcdd2d02e7028d21cc75fd7f4fb65445d3adf37b4a75bb + ghQtBuilds_hash_x64: bae6773292ad187aad946854766344c4bd24245359404636b3a1b13d9ae6a97e jobs: Build_x64: @@ -86,7 +88,7 @@ jobs: steps: - name: Checkout code - uses: actions/checkout@v4.1.5 + uses: actions/checkout@v4.1.7 - name: Setup msbuild uses: microsoft/setup-msbuild@v2 @@ -164,7 +166,7 @@ jobs: - name: Upload installer assets #if: github.ref == 'refs/heads/master' && github.event_name != 'pull_request' - uses: actions/upload-artifact@v4.3.6 + uses: actions/upload-artifact@v4.4.3 with: name: Assets path: | @@ -173,7 +175,7 @@ jobs: - name: Upload Sandboxie x64 #if: github.ref == 'refs/heads/master' && github.event_name != 'pull_request' - uses: actions/upload-artifact@v4.3.6 + uses: actions/upload-artifact@v4.4.3 with: name: Sandboxie_x64 path: | @@ -187,7 +189,7 @@ jobs: steps: - name: Checkout code - uses: actions/checkout@v4.1.5 + uses: actions/checkout@v4.1.7 - name: Setup msbuild uses: microsoft/setup-msbuild@v2 @@ -267,7 +269,7 @@ jobs: - name: Upload Sandboxie ARM64 #if: github.ref == 'refs/heads/master' && github.event_name != 'pull_request' - uses: actions/upload-artifact@v4.3.6 + uses: actions/upload-artifact@v4.4.3 with: name: Sandboxie_ARM64 path: | @@ -281,7 +283,7 @@ jobs: steps: - name: Checkout code - uses: actions/checkout@v4.1.5 + uses: actions/checkout@v4.1.7 - name: Setup msbuild uses: microsoft/setup-msbuild@v2 @@ -336,7 +338,7 @@ jobs: - name: Upload Sandboxie x86 #if: github.ref == 'refs/heads/master' && github.event_name != 'pull_request' - uses: actions/upload-artifact@v4.3.6 + uses: actions/upload-artifact@v4.4.3 with: name: Sandboxie_x86 path: | diff --git a/.github/workflows/stale.yml b/.github/workflows/stale.yml index dcfda3f2..d99b0f0f 100644 --- a/.github/workflows/stale.yml +++ b/.github/workflows/stale.yml @@ -24,7 +24,7 @@ jobs: stale-pr-label: "stale" remove-stale-when-updated: true exempt-all-assignees: true - any-of-issue-labels: "more info needed,answered?,Fixed ???,incorrect,Outdated version" - exempt-issue-labels: "Feature request,Low priority,Regression,Stalled work,High priority,ToDo,Work in progress,Workaround,Known issue,Bug,suggestions,help wanted,build issue" - any-of-pr-labels: "more info needed,answered?,incorrect" - exempt-pr-labels: "Feature request,Low priority,dependencies,Work in progress,Stalled work,High priority,ToDo,help wanted" + any-of-issue-labels: "More Info Needed,Answered?,Fixed ???,Incorrect,Outdated Version" + exempt-issue-labels: "Feature Request,Priority: Low,Type: Regression,Status: Stalled Work,Priority: High,ToDo,Status: Work in Progress,Workaround,Known Issue,Type: Bug,Type: Suggestions,Help Wanted,Type: Build Issue" + any-of-pr-labels: "More Info Needed,Answered?,Incorrect" + exempt-pr-labels: "Feature Request,Priority: Low,Type: Dependencies,Status: Work in Progress,Status: Stalled Work,Priority: High,ToDo,Help Wanted" diff --git a/CHANGELOG.md b/CHANGELOG.md index 135380b6..6f38dac5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,20 +2,102 @@ All notable changes to this project will be documented in this file. This project adheres to [Semantic Versioning](http://semver.org/). -## [1.14.7 / 5.69.7] - 2024-0x-xx + + +## [1.15.1 / 5.70.1] - 2024-10- + +### Fixed +- fixed Sandboxie crypto fails to start in red boxes +- fixed issue with breakout process when using explorer.exe + +### Changed +- validated compatibility with Windows build 27729 and updated DynData + + + +## [1.15.0 / 5.70.0] - 2024-10-19 ### Added -- added "RandomRegUID"(bool) which could modify Windows Product Id in the registry to a rand value -- added "HideDiskSerialNumber"(bool) return random value when applications tries to get disk serial number -- added option to get free 10 days evaluation certificates from the support settings page. - - The evaluation certificates are node lcoked to the HwID and for each HwID up to 3 certs can be requested. -- added "TerminateWhenExit"(bool,in Sandboxie-Plus.ini) to terminate all processes when Sandman exits for [#4171](https://github.com/sandboxie-plus/Sandboxie/issues/4171) +- added new user proxy mechanism to enable user specific operations +- added support for EFS using the user proxy [#1980](https://github.com/sandboxie-plus/Sandboxie/issues/1980) + - to enable add 'EnableEFS=y' to the sandbox config +- added breakout document functionality [#2741](https://github.com/sandboxie-plus/Sandboxie/issues/2741) + - use a syntax like this 'BreakoutDocument=C:\path\*.txt' to specify path and extension + - Security Warning: do not use paths terminated with a wildcard like 'BreakoutDocument=C:\path\*' as they will allow for execution of malicious scripts outside the sandbox! +- added mechanism to set box folder ACLs to allow only the creating user access 'LockBoxToUser=y' +- added option to keep original ACLs on sandboxed files 'UseOriginalACLs=y' +- added option 'OpenWPADEndpoint=y' [#4292](https://github.com/sandboxie-plus/Sandboxie/issues/4292) + +### Changed +- improved SandboxieCrypto startup +- improved Sandboxed RPCSS startup +- set tab orders and buddies of UI controls [#4300](https://github.com/sandboxie-plus/Sandboxie/pull/4300) (thanks gexgd0419) + +### Fixed +- fixed ImDiskApp uninstall key is always written to the registry [#4282](https://github.com/sandboxie-plus/Sandboxie/issues/4282) + + + +## [1.14.10 / 5.69.10] - 2024-10-03 + +### Added +- added ability to import encrypted archive files directly [#4255](https://github.com/sandboxie-plus/Sandboxie/issues/4255) + +### Changed +- when the SbieSvc.exe worker crashes it now can automatically be restarted + +### Fixed +- fixed issue with sandbox path entry combo boxes +- fixed proxy for GetRawInputDeviceInfoW() causes a buffer overflow [#4267](https://github.com/sandboxie-plus/Sandboxie/issues/4267) (thanks marti4d) + + + +## [1.14.9 / 5.69.9] - 2024-09-19 + +### Added +- added alternative default sandbox paths to the box wizard: + - \\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX% + - \\??\\%SystemDrive%\\Sandbox\\%SANDBOX% + - \\??\\%SystemDrive%\\Users\\%USER%\Sandbox\\%SANDBOX% +- added Sandbox Import dialog + +### Changed +- sandbox root selection in global settings is now a combo box + +### Fixed +- fixed exported encrypted archive files cannot be unpacked by Sandboxie [#4229](https://github.com/sandboxie-plus/Sandboxie/issues/4229) + + + +## [1.14.8 / 5.69.8] - 2024-09-09 + +### Changed +- allow users to import/export boxes with .zip files [#4200](https://github.com/sandboxie-plus/Sandboxie/pull/4200) + +### Fixed +- fixed a supporter certificate issue introduced with 1.14.7 + + + +## [1.14.7 / 5.69.7] - 2024-09-05 + +### Added +- added "RandomRegUID" (bool) which could modify Windows Product ID in the registry to a random value +- added "HideDiskSerialNumber" (bool) return random value when applications try to get disk serial number +- added option to get free 10 days evaluation certificates from the support settings page + - the evaluation certificates are node locked to the HwID and for each HwID up to 3 certificates can be requested +- added "TerminateWhenExit" (bool, in Sandboxie-Plus.ini) to terminate all processes when SandMan exits for [#4171](https://github.com/sandboxie-plus/Sandboxie/issues/4171) - added a question box to ask for Sandbox Import Location for [#4169](https://github.com/sandboxie-plus/Sandboxie/issues/4169) - added UI option to configure DropConHostIntegrity -- added "HideNetworkAdapterMAC"(bool) return random value when applications tries to get network adapter mac address +- added "HideNetworkAdapterMAC" (bool) return random value when applications try to get network adapter MAC address +- added shared template selection to the Shared Template feature in the advanced options of the New Box Wizard [#4199](https://github.com/sandboxie-plus/Sandboxie/issues/4199) + - the number of available shared templates has been increased to 10 + - to update the names displayed in the list, simply adjust the "Tmpl.Title" setting within each template ### Fixed - fixed and improved HideDiskSerialNumber option causes applications to crash [#4185](https://github.com/sandboxie-plus/Sandboxie/issues/4185) +- fixed encrypted proxy password was improperly formatted [#4197](https://github.com/sandboxie-plus/Sandboxie/issues/4197) +- fixed NtQueryDirectoryObject (should not return "STATUS_MORE_ENTRIES") as this is an easy sandbox detection [#4201](https://github.com/sandboxie-plus/Sandboxie/issues/4201) @@ -151,12 +233,13 @@ This project adheres to [Semantic Versioning](http://semver.org/). ## [1.14.0 / 5.69.0] - 2024-05-17 ### Added -- added option to limit the memory of sandboxed processes and the number of processes in single sandbox through job object (thanks Yeyixiao) - - use "TotalMemoryLimit" (Number, limit whole sandbox, Byte) and "ProcessMemoryLimit" (Number, limit single process, Byte) to set memory limit - - use "ProcessNumberLimit" (Number) to set process number limit -- added ability to modify sandboxed process logic speed (reduced fixed latency, modified single-player speed etc.) (thanks Yeyixiao) - - use "UseChangeSpeed=y" to open this feature, use "AddTickSpeed" / "AddSleepSpeed" / "AddTimerSpeed" / "LowTickSpeed" / "LowSleepSpeed" / "LowTimerSpeed" (Number) to set - - when set to "AddSleepSpeed=0", all sleep function calls will be skipped +- added option to limit the memory of sandboxed processes and the number of processes in a single sandbox through job object (thanks Yeyixiao) + - use "TotalMemoryLimit" (number, in bytes) to set the overall memory limit for the sandbox, and "ProcessMemoryLimit" (number, in bytes) to limit memory for individual processes + - use "ProcessNumberLimit" (number) to set process number limit +- added ability to adjust the logic speed of sandboxed processes, including reduced fixed latency and modified single-player speed (thanks Yeyixiao) + - Note: you can set "UseChangeSpeed=y" to configure the following options: "AddTickSpeed", "AddSleepSpeed", "AddTimerSpeed", "LowTickSpeed", "LowSleepSpeed" and "LowTimerSpeed" (integer values only) + - Note: these options use multiples instead of adding or subtracting; the "Add" series is configured by multiplication, while the "Low" series by division + - Note: when set to "AddSleepSpeed=0", all sleep function calls will be skipped. For example, you can bypass fixed delay code in hidden malware, reducing analysis time without affecting essential operations, which is useful for virus analysts - added /fcp /force_children command line option to Start.exe; it allows to start a program unsandboxed but have all its children sandboxed - added ability to force sandboxed processes to use a pre-defined SOCKS5 proxy - added ability to intercept DNS queries so that they can be logged and/or redirected diff --git a/CODE_OF_CONDUCT.md b/CODE_OF_CONDUCT.md index 847c44ec..90a9ed23 100644 --- a/CODE_OF_CONDUCT.md +++ b/CODE_OF_CONDUCT.md @@ -76,11 +76,12 @@ the consequences for any action they deem in violation of this Code of Conduct: **Community Impact**: Use of inappropriate language or other behavior deemed unprofessional or unwelcome in the community. -**Consequence**: A warning from community maintainers, providing clarity in case +**Consequence**: A correction from community maintainers, providing clarity in case of dispute around the nature of the violation or an explanation of why the behavior was inappropriate. Any failure to acknowledge the violation or unwanted -replies aimed at diverting attention may lead to a removal, editing or rejection -of comments, commits, code, wiki edits, issues, and other contributions. +replies aimed at diverting attention on trivial grounds may lead to a removal, +editing or rejection of comments, commits, code, wiki edits, issues, and other +contributions without prior notice. ### 2. Warning diff --git a/Installer/copy_build.cmd b/Installer/copy_build.cmd index b18b489d..a89bc91d 100644 --- a/Installer/copy_build.cmd +++ b/Installer/copy_build.cmd @@ -26,7 +26,10 @@ IF %1 == ARM64 ( set qtPath=%~dp0..\..\Qt\%qt6_version%\msvc2019_arm64 set instPath=%~dp0\SbiePlus_a64 ) -set redistPath=%VCToolsRedistDir%\%1\Microsoft.VC142.CRT + +REM set redistPath=%VCToolsRedistDir%\%1\Microsoft.VC142.CRT +set redistPath=C:\Program Files (x86)\Microsoft Visual Studio\2019\Enterprise\VC\Redist\MSVC\%VCToolsVersion%\%1\Microsoft.VC142.CRT + @echo on set srcPath=%~dp0..\SandboxiePlus\Bin\%archPath%\Release diff --git a/Installer/fix_qt5_languages.cmd b/Installer/fix_qt5_languages.cmd index f8b150ea..0ee950ec 100644 --- a/Installer/fix_qt5_languages.cmd +++ b/Installer/fix_qt5_languages.cmd @@ -1,6 +1,6 @@ echo %* IF "%~3" == "" ( set "qt6_version=6.3.1" ) ELSE ( set "qt6_version=%~3" ) -IF "%~2" == "" ( set "qt_version=5.15.14" ) ELSE ( set "qt_version=%~2" ) +IF "%~2" == "" ( set "qt_version=5.15.15" ) ELSE ( set "qt_version=%~2" ) if %1 == x64 if exist %~dp0..\..\Qt\%qt_version%\msvc2019_64\bin\lrelease.exe set PATH=%PATH%;%~dp0..\..\Qt\%qt_version%\msvc2019_64\bin\ if %1 == Win32 if exist %~dp0..\..\Qt\%qt_version%\msvc2019\bin\lrelease.exe set PATH=%PATH%;%~dp0..\..\Qt\%qt_version%\msvc2019\bin\ diff --git a/Installer/get_openssl.cmd b/Installer/get_openssl.cmd index f8a17fd9..b54f3520 100644 --- a/Installer/get_openssl.cmd +++ b/Installer/get_openssl.cmd @@ -1,7 +1,7 @@ echo %* IF "%~3" == "" ( set "ghSsl_repo=openssl-builds" ) ELSE ( set "ghSsl_repo=%~3" ) IF "%~2" == "" ( set "ghSsl_user=xanasoft" ) ELSE ( set "ghSsl_user=%~2" ) -IF "%~1" == "" ( set "openssl_version=3.3.1" ) ELSE ( set "openssl_version=%~1" ) +IF "%~1" == "" ( set "openssl_version=3.3.2" ) ELSE ( set "openssl_version=%~1" ) set "openssl_version_underscore=%openssl_version:.=_%" diff --git a/Installer/isl/ChineseTraditional.isl b/Installer/isl/ChineseTraditional.isl index fb748761..24d67d2d 100644 --- a/Installer/isl/ChineseTraditional.isl +++ b/Installer/isl/ChineseTraditional.isl @@ -206,6 +206,18 @@ ReadyMemoComponents=選擇的元件: ReadyMemoGroup=「開始」功能表資料夾: ReadyMemoTasks=附加工作: +; *** TDownloadWizardPage wizard page and DownloadTemporaryFile +DownloadingLabel=正在下載附加檔案... +ButtonStopDownload=停止下載(&S) +StopDownload=您确定要停止下載嗎? +ErrorDownloadAborted=下載已中止 +ErrorDownloadFailed=下載失敗:%1 %2 +ErrorDownloadSizeFailed=獲取下載大小失敗:%1 %2 +ErrorFileHash1=校驗檔案哈希失敗:%1 +ErrorFileHash2=無效的檔案哈希:預期 %1,實際 %2 +ErrorProgress=無效的進度:%1 / %2 +ErrorFileSize=檔案大小錯誤:預期 %1,實際 %2 + ; *** "Preparing to Install" wizard page WizardPreparing=準備安裝程式 PreparingDesc=安裝程式準備將 [name] 安裝到您的電腦上。 @@ -216,6 +228,7 @@ ApplicationsFound2=下面的應用程式正在使用安裝程式所需要更新 CloseApplications=關閉應用程式(&A) DontCloseApplications=不要關閉應用程式 (&D) ErrorCloseApplications=安裝程式無法自動關閉所有應用程式。建議您在繼續前先關閉所有應用程式使用的檔案。 +PrepareToInstallNeedsRestart=安裝程式必須重啓您的電腦。電腦重啓後,請再次運行安裝程式以完成 [name] 的安裝。%n%n是否立即重新啓動? ; *** "Installing" wizard page WizardInstalling=正在安裝 @@ -288,7 +301,15 @@ ExistingFileReadOnlyRetry=移除唯讀屬性並重試 (&R) ExistingFileReadOnlyKeepExisting=保留現有檔案 (&K) ErrorReadingExistingDest=讀取一個已存在的檔案時發生錯誤: FileExists=檔案已經存在。%n%n 要讓安裝程式加以覆寫嗎? -ExistingFileNewer=存在的檔案版本比較新,建議您保留目前已存在的檔案。%n%n您要保留目前已存在的檔案嗎? +FileExistsSelectAction=選擇操作 +FileExists2=檔案已經存在。 +FileExistsOverwriteExisting=覆寫已存在的档案(&O) +FileExistsKeepExisting=保畱現有的档案(&K) +FileExistsOverwriteOrKeepAll=為所有衝突档案執行此操作(&D) +ExistingFileNewer2=現有的档案比安裝程式將要安裝的档案還要新。 +ExistingFileNewerOverwriteExisting=覆蓋已存在的档案(&O) +ExistingFileNewerKeepExisting=保畱現有的档案(&K) (推薦) +ExistingFileNewerOverwriteOrKeepAll=為所有衝突档案執行此操作(&D) ErrorChangingAttr=在變更檔案屬性時發生錯誤: ErrorCreatingTemp=在目的資料夾中建立檔案時發生錯誤: ErrorReadingSource=讀取原始檔案時發生錯誤: diff --git a/README.md b/README.md index 505f8dd7..4b6ccc71 100644 --- a/README.md +++ b/README.md @@ -2,7 +2,7 @@ [![Plus license](https://img.shields.io/badge/Plus%20license-Custom%20-blue.svg)](./LICENSE.Plus) [![Classic license](https://img.shields.io/github/license/Sandboxie-Plus/Sandboxie?label=Classic%20license&color=blue)](./LICENSE.Classic) [![GitHub Release](https://img.shields.io/github/release/sandboxie-plus/Sandboxie.svg)](https://github.com/sandboxie-plus/Sandboxie/releases/latest) [![GitHub Pre-Release](https://img.shields.io/github/release/sandboxie-plus/Sandboxie/all.svg?label=pre-release)](https://github.com/sandboxie-plus/Sandboxie/releases) [![GitHub Build Status](https://github.com/sandboxie-plus/Sandboxie/actions/workflows/main.yml/badge.svg)](https://github.com/sandboxie-plus/Sandboxie/actions) [![GitHub Codespell Status](https://github.com/sandboxie-plus/Sandboxie/actions/workflows/codespell.yml/badge.svg)](https://github.com/sandboxie-plus/Sandboxie/actions/workflows/codespell.yml) -[![Join our Discord Server](https://img.shields.io/badge/Join-Our%20Discord%20Server%20for%20bugs,%20feedback%20and%20more!-blue?style=for-the-badge&logo=discord)](https://discord.gg/S4tFu6Enne) +[![Roadmap](https://img.shields.io/badge/Roadmap-Link%20-blue?style=for-the-badge)](https://www.wilderssecurity.com/threads/sandboxie-roadmap.445545/page-8#post-3187633) [![Join our Discord Server](https://img.shields.io/badge/Join-Our%20Discord%20Server%20for%20bugs,%20feedback%20and%20more!-blue?style=for-the-badge&logo=discord)](https://discord.gg/S4tFu6Enne) | System requirements | Release notes | Contribution guidelines | Security policy | Code of Conduct | | :---: | :---: | :---: | :---: | :---: | @@ -49,7 +49,8 @@ Sandboxie Plus has a modern Qt-based UI, which supports all new features that ha * DNS resolution control with sandboxing as control granularity * Limit the number of processes in the sandbox and the total amount of memory space they can occupy, and You can limit the total number of sandboxed processes per box * A completely different token creation mechanism from Sandboxie's pre-open-source version makes sandboxes more independent in the system - * Encrypted Sandbox - an AES-based reliable data storage solution. + * Encrypted Sandbox - an AES-based reliable data storage solution + * Prevent sandboxed programs from generating unnecessary unique identifier in the normal way More features can be spotted by finding the sign `=` through the shortcut key Ctrl+F in the [CHANGELOG.md](./CHANGELOG.md) file. @@ -57,11 +58,9 @@ Sandboxie Classic has the old no longer developed MFC-based UI, hence it lacks n ## 📚 Documentation -A GitHub copy of the [Sandboxie documentation](https://sandboxie-plus.github.io/sandboxie-docs) is currently maintained, although more volunteers are needed to keep it updated with the new changes. We recommend to check also the following labels in this repository: +A GitHub copy of the [Sandboxie documentation](https://sandboxie-plus.github.io/sandboxie-docs) is currently maintained, although more volunteers are needed to keep it updated with the new changes. It is recommended to also check the following labels to track current issues: [Labels · sandboxie-plus/Sandboxie](https://github.com/sandboxie-plus/Sandboxie/labels). -[future development](https://github.com/sandboxie-plus/Sandboxie/issues?q=label%3A"future+development") | [feature requests](https://github.com/sandboxie-plus/Sandboxie/issues?q=label%3A"Feature+request") | [documentation](https://github.com/sandboxie-plus/Sandboxie/issues?q=label%3Adocumentation) | [build issues](https://github.com/sandboxie-plus/Sandboxie/issues?q=label%3A%22build+issue%22) | [incompatibilities](https://github.com/sandboxie-plus/Sandboxie/issues?q=label%3Aincompatibility) | [known issues](https://github.com/sandboxie-plus/Sandboxie/labels/Known%20issue) | [regressions](https://github.com/sandboxie-plus/Sandboxie/issues?q=is%3Aissue+is%3Aopen+label%3Aregression) | [workaround](https://github.com/sandboxie-plus/Sandboxie/issues?q=label%3Aworkaround) | [help wanted](https://github.com/sandboxie-plus/Sandboxie/issues?q=label%3A%22help+wanted%22) | [more...](https://github.com/sandboxie-plus/Sandboxie/labels?sort=count-desc) - -A partial archive of the [old Sandboxie forum](https://sandboxie-website-archive.github.io/www.sandboxie.com/old-forums) that was previously maintained by Invincea is still available. If you need to find something specific, it is possible to use the following search query: `site:https://sandboxie-website-archive.github.io/www.sandboxie.com/old-forums/` +A partial archive of the [old Sandboxie forum](https://sandboxie-website-archive.github.io/www.sandboxie.com/old-forums) that was previously maintained by Invincea is still available. If you need to find something specific, it is possible to use the following search query: `site:https://sandboxie-website-archive.github.io/www.sandboxie.com/old-forums/`. ## 🚀 Useful tools for Sandboxie @@ -125,6 +124,7 @@ If you find Sandboxie useful, then feel free to contribute through our [Contribu - lmou523 - Code fixes - sredna - Code fixes for Classic installer - weihongx9315 - Code fix +- marti4d - Code fix - jorgectf - CodeQL workflow - stephtr - CI / Certification - yfdyh000 - Localization support for Plus installer diff --git a/Sandboxie/common/my_version.h b/Sandboxie/common/my_version.h index edde3fbf..6d99c832 100644 --- a/Sandboxie/common/my_version.h +++ b/Sandboxie/common/my_version.h @@ -25,8 +25,8 @@ #define STR(X) STR2(X) #define VERSION_MJR 5 -#define VERSION_MIN 69 -#define VERSION_REV 7 +#define VERSION_MIN 70 +#define VERSION_REV 1 #define VERSION_UPD 0 #if VERSION_UPD > 0 @@ -36,7 +36,7 @@ #define MY_VERSION_BINARY VERSION_MJR,VERSION_MIN,VERSION_REV #define MY_VERSION_STRING STR(VERSION_MJR.VERSION_MIN.VERSION_REV) #endif -#define MY_ABI_VERSION 0x56800 +#define MY_ABI_VERSION 0x56900 // These #defines are used by either Resource Compiler or NSIS installer #define SBIE_INSTALLER_PATH "..\\Bin\\" diff --git a/Sandboxie/common/win32_ntddk.h b/Sandboxie/common/win32_ntddk.h index 2945d154..cd71ac6d 100644 --- a/Sandboxie/common/win32_ntddk.h +++ b/Sandboxie/common/win32_ntddk.h @@ -190,6 +190,60 @@ typedef CONST OBJECT_ATTRIBUTES *PCOBJECT_ATTRIBUTES; (p)->SecurityQualityOfService = NULL; \ } +NTSYSAPI BOOLEAN WINAPI RtlValidSecurityDescriptor( + PSECURITY_DESCRIPTOR SecurityDescriptor +); + +NTSYSAPI NTSTATUS WINAPI RtlGetControlSecurityDescriptor( + PSECURITY_DESCRIPTOR pSecurityDescriptor, + PSECURITY_DESCRIPTOR_CONTROL pControl, + LPDWORD lpdwRevision +); + +NTSYSAPI NTSTATUS WINAPI RtlMakeSelfRelativeSD( + PSECURITY_DESCRIPTOR pAbsoluteSecurityDescriptor, + PSECURITY_DESCRIPTOR pSelfRelativeSecurityDescriptor, + LPDWORD lpdwBufferLength +); + +NTSYSAPI ULONG WINAPI RtlLengthSecurityDescriptor( + PSECURITY_DESCRIPTOR SecurityDescriptor +); + +NTSYSAPI NTSTATUS WINAPI RtlAbsoluteToSelfRelativeSD( + PSECURITY_DESCRIPTOR AbsoluteSecurityDescriptor, + PSECURITY_DESCRIPTOR SelfRelativeSecurityDescriptor, + PULONG BufferLength +); + +NTSYSAPI NTSTATUS WINAPI RtlSelfRelativeToAbsoluteSD( + PSECURITY_DESCRIPTOR SelfRelativeSecurityDescriptor, + PSECURITY_DESCRIPTOR AbsoluteSecurityDescriptor, + PULONG AbsoluteSecurityDescriptorSize, + PACL Dacl, + PULONG DaclSize, + PACL Sacl, + PULONG SaclSize, + PSID Owner, + PULONG OwnerSize, + PSID PrimaryGroup, + PULONG PrimaryGroupSize +); + +NTSYSAPI NTSTATUS WINAPI RtlGetAce( + PACL Acl, + ULONG AceIndex, + PVOID *Ace +); + +NTSYSAPI NTSTATUS WINAPI RtlAddAce( + PACL Acl, + ULONG AceRevision, + ULONG StartingAceIndex, + PVOID AceList, + ULONG AceListLength +); + //--------------------------------------------------------------------------- #define PAGE_SIZE 4096 @@ -2331,6 +2385,7 @@ __declspec(dllimport) NTSTATUS RtlGetGroupSecurityDescriptor( ); __declspec(dllimport) BOOLEAN NTAPI RtlEqualSid(PSID Sid1, PSID Sid2); +__declspec(dllimport) ULONG NTAPI RtlLengthSid(PSID Sid); __declspec(dllimport) PVOID NTAPI RtlFreeSid(PSID Sid); //--------------------------------------------------------------------------- diff --git a/Sandboxie/core/dll/advapi.c b/Sandboxie/core/dll/advapi.c index 393b3d84..35e87a3b 100644 --- a/Sandboxie/core/dll/advapi.c +++ b/Sandboxie/core/dll/advapi.c @@ -244,8 +244,9 @@ _FX BOOLEAN AdvApi_Init(HMODULE module) // only hook SetSecurityInfo if this is Chrome. Outlook 2013 uses delayed loading and will cause infinite callbacks // Starting with Win 10, we only want to hook ntmarta!SetSecurityInfo. Do NOT hook advapi!SetSecurityInfo. Delay loading for advapi will cause infinite recursion. // Note: the infinite recursion issue has been resolved int 5.43 - if (Config_GetSettingsForImageName_bool(L"UseSbieDeskHack", TRUE) - || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX) || (Dll_ImageType == DLL_IMAGE_ACROBAT_READER)) { + if ((Config_GetSettingsForImageName_bool(L"UseSbieDeskHack", TRUE) + || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX) || (Dll_ImageType == DLL_IMAGE_ACROBAT_READER)) + && !SbieApi_QueryConfBool(NULL, L"OpenWndStation", FALSE)) { SetSecurityInfo = __sys_SetSecurityInfo; GetSecurityInfo = __sys_GetSecurityInfo; SBIEDLL_HOOK(AdvApi_, SetSecurityInfo); @@ -494,28 +495,9 @@ _FX ULONG AdvApi_CreateRestrictedToken( } - -HANDLE Sandboxie_WinSta = 0; - -BOOL CALLBACK myEnumWindowStationProc( - _In_ LPTSTR lpszWindowStation, - _In_ LPARAM lParam); - -// Get Sandbox Dummy WindowStation Handle -BOOL CALLBACK myEnumWindowStationProc( - _In_ LPTSTR lpszWindowStation, - _In_ LPARAM lParam) -{ - if ((!lpszWindowStation) || (!__sys_OpenWindowStationW)) { - return FALSE; - } - if (!_wcsnicmp(lpszWindowStation, L"Sandbox", 7)) { - Sandboxie_WinSta = __sys_OpenWindowStationW(lpszWindowStation, 1, WINSTA_ALL_ACCESS | STANDARD_RIGHTS_REQUIRED); - return FALSE; - } - return TRUE; -} - +//--------------------------------------------------------------------------- +// AdvApi_GetSecurityInfo +//--------------------------------------------------------------------------- // Chrome 52+ now needs to be able to create a WindowStation and Desktop for its sandbox // GetSecurityInfo will fail when chrome tries to do a DACL read on the default WindowStation. @@ -536,16 +518,10 @@ _FX DWORD AdvApi_GetSecurityInfo( DWORD rc = 0; rc = __sys_GetSecurityInfo(handle, ObjectType, SecurityInfo, psidOwner, psidGroup, pDacl, pSacl, ppSecurityDescriptor); - if (rc && ObjectType == SE_WINDOW_OBJECT && SecurityInfo == DACL_SECURITY_INFORMATION) { - __sys_EnumWindowStationsW = (P_EnumWindowStations)Ldr_GetProcAddrNew(L"User32.dll", L"EnumWindowStationsW", "EnumWindowStationsW"); - __sys_OpenWindowStationW = (P_OpenWindowStationW)Ldr_GetProcAddrNew(L"User32.dll", L"OpenWindowStationW", "OpenWindowStationW"); // used by myEnumWindowStationProc - if (!Sandboxie_WinSta) { - if (__sys_EnumWindowStationsW) { - rc = __sys_EnumWindowStationsW(myEnumWindowStationProc, 0); - } - } - rc = __sys_GetSecurityInfo(Sandboxie_WinSta, ObjectType, SecurityInfo, psidOwner, psidGroup, pDacl, pSacl, ppSecurityDescriptor); - } + extern HWINSTA Gui_Dummy_WinSta; + if (rc && ObjectType == SE_WINDOW_OBJECT && SecurityInfo == DACL_SECURITY_INFORMATION && Gui_Dummy_WinSta) + rc = __sys_GetSecurityInfo(Gui_Dummy_WinSta, ObjectType, SecurityInfo, psidOwner, psidGroup, pDacl, pSacl, ppSecurityDescriptor); + return rc; } @@ -681,6 +657,7 @@ _FX ULONG AdvApi_GetEffectiveRightsFromAclW( //--------------------------------------------------------------------------- // Ntmarta_Init //--------------------------------------------------------------------------- + DWORD Ntmarta_GetSecurityInfo( HANDLE handle, SE_OBJECT_TYPE ObjectType, @@ -706,8 +683,9 @@ _FX BOOLEAN Ntmarta_Init(HMODULE module) #define GETPROC2(x,s) __sys_Ntmarta_##x##s = (P_##x) Ldr_GetProcAddrNew(DllName_ntmarta, L#x L#s,#x #s); GETPROC2(GetSecurityInfo, ); - if (Config_GetSettingsForImageName_bool(L"UseSbieDeskHack", TRUE) - || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX) || (Dll_ImageType == DLL_IMAGE_ACROBAT_READER)) { + if ((Config_GetSettingsForImageName_bool(L"UseSbieDeskHack", TRUE) + || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX) || (Dll_ImageType == DLL_IMAGE_ACROBAT_READER)) + && !SbieApi_QueryConfBool(NULL, L"OpenWndStation", FALSE)) { GetSecurityInfo = __sys_Ntmarta_GetSecurityInfo; if (GetSecurityInfo) @@ -746,6 +724,12 @@ _FX BOOLEAN Ntmarta_Init(HMODULE module) return TRUE; } + +//--------------------------------------------------------------------------- +// Ntmarta_GetSecurityInfo +//--------------------------------------------------------------------------- + + _FX DWORD Ntmarta_GetSecurityInfo( HANDLE handle, SE_OBJECT_TYPE ObjectType, @@ -759,16 +743,10 @@ _FX DWORD Ntmarta_GetSecurityInfo( DWORD rc = 0; rc = __sys_Ntmarta_GetSecurityInfo(handle, ObjectType, SecurityInfo, psidOwner, psidGroup, pDacl, pSacl, ppSecurityDescriptor); - if (rc && ObjectType == SE_WINDOW_OBJECT && SecurityInfo == DACL_SECURITY_INFORMATION) { - __sys_EnumWindowStationsW = (P_EnumWindowStations)Ldr_GetProcAddrNew(L"User32.dll", L"EnumWindowStationsW", "EnumWindowStationsW"); - __sys_OpenWindowStationW = (P_OpenWindowStationW)Ldr_GetProcAddrNew(L"User32.dll", L"OpenWindowStationW", "OpenWindowStationW"); // used by myEnumWindowStationProc - if (!Sandboxie_WinSta) { - if (__sys_EnumWindowStationsW) { - rc = __sys_EnumWindowStationsW(myEnumWindowStationProc, 0); - } - } - rc = __sys_Ntmarta_GetSecurityInfo(Sandboxie_WinSta, ObjectType, SecurityInfo, psidOwner, psidGroup, pDacl, pSacl, ppSecurityDescriptor); - } + extern HWINSTA Gui_Dummy_WinSta; + if (rc && ObjectType == SE_WINDOW_OBJECT && SecurityInfo == DACL_SECURITY_INFORMATION && Gui_Dummy_WinSta) + rc = __sys_Ntmarta_GetSecurityInfo(Gui_Dummy_WinSta, ObjectType, SecurityInfo, psidOwner, psidGroup, pDacl, pSacl, ppSecurityDescriptor); + return rc; } diff --git a/Sandboxie/core/dll/callsvc.c b/Sandboxie/core/dll/callsvc.c index c14f1923..5419c9b6 100644 --- a/Sandboxie/core/dll/callsvc.c +++ b/Sandboxie/core/dll/callsvc.c @@ -1,6 +1,6 @@ /* * Copyright 2004-2020 Sandboxie Holdings, LLC - * Copyright 2020 David Xanatos, xanasoft.com + * Copyright 2020-2024 David Xanatos, xanasoft.com * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -166,11 +166,14 @@ _FX MSG_HEADER *SbieDll_CallServer(MSG_HEADER *req) case MSGID_QUEUE_PUTREQ: if (wcsstr(((QUEUE_PUTREQ_REQ*)req)->queue_name, L"*GUIPROXY_") != NULL) Sbie_snwprintf(dbg, 1024, L"SbieDll_CallServer: %s queue putreq %s %s", Dll_ImageName, ((QUEUE_PUTREQ_REQ*)req)->queue_name, Trace_SbieGuiFunc2Str(*((ULONG*)((QUEUE_PUTREQ_REQ*)req)->data))); - else + //else if (wcsstr(((QUEUE_PUTREQ_REQ*)req)->queue_name, L"*USERPROXY_") != NULL) + // Sbie_snwprintf(dbg, 1024, L"SbieDll_CallServer: %s queue putreq %s %s", Dll_ImageName, ((QUEUE_PUTREQ_REQ*)req)->queue_name, Trace_SbieUserFunc2Str(*((ULONG*)((QUEUE_PUTREQ_REQ*)req)->data))); + else Sbie_snwprintf(dbg, 1024, L"SbieDll_CallServer: %s queue putreq %s %d", Dll_ImageName, ((QUEUE_PUTREQ_REQ*)req)->queue_name, *((ULONG*)((QUEUE_PUTREQ_REQ*)req)->data)); break; case MSGID_QUEUE_GETRPL: Sbie_snwprintf(dbg, 1024, L"SbieDll_CallServer: %s queue getrpl %s", Dll_ImageName, ((QUEUE_GETRPL_REQ*)req)->queue_name); break; - //case MSGID_QUEUE_NOTIFICATION: + //case MSGID_QUEUE_STARTUP: + //case MSGID_QUEUE_NOTIFICATION: //default: Sbie_snwprintf(dbg, 1024, L"SbieDll_CallServer: %s 0x%04x", Dll_ImageName, req->msgid); default: Sbie_snwprintf(dbg, 1024, L"SbieDll_CallServer: %s %s", Dll_ImageName, Trace_SbieSvcFunc2Str(req->msgid)); } @@ -572,11 +575,11 @@ _FX ULONG SbieDll_QueuePutRpl(const WCHAR *QueueName, //--------------------------------------------------------------------------- -// SbieDll_QueuePutReq +// SbieDll_QueuePutReqImpl //--------------------------------------------------------------------------- -_FX ULONG SbieDll_QueuePutReq(const WCHAR *QueueName, +_FX ULONG SbieDll_QueuePutReqImpl(const WCHAR *QueueName, void *DataPtr, ULONG DataLen, ULONG *out_RequestId, @@ -623,6 +626,9 @@ _FX ULONG SbieDll_QueuePutReq(const WCHAR *QueueName, if (! NT_SUCCESS(status)) { + if(req->event_handle) + CloseHandle((HANDLE)req->event_handle); + if (out_RequestId) *out_RequestId = 0; if (out_EventHandle) @@ -633,6 +639,71 @@ _FX ULONG SbieDll_QueuePutReq(const WCHAR *QueueName, } +//--------------------------------------------------------------------------- +// SbieDll_StartProxy +//--------------------------------------------------------------------------- + + +_FX ULONG SbieDll_StartProxy(const WCHAR *QueueName) +{ + NTSTATUS status; + QUEUE_CREATE_REQ req; + QUEUE_CREATE_RPL *rpl; + + req.h.length = sizeof(QUEUE_CREATE_REQ); + req.h.msgid = MSGID_QUEUE_STARTUP; + wcscpy(req.queue_name, QueueName); + req.event_handle = + (ULONG64)(ULONG_PTR)CreateEvent(NULL, FALSE, FALSE, NULL); + + if (! req.event_handle) + status = STATUS_UNSUCCESSFUL; + else { + + rpl = (QUEUE_CREATE_RPL *)SbieDll_CallServer(&req.h); + if (! rpl) + status = STATUS_SERVER_DISABLED; + else { + status = rpl->h.status; + Dll_Free(rpl); + } + + if (NT_SUCCESS(status)) { + + if (WaitForSingleObject((HANDLE)(ULONG_PTR)req.event_handle, 10 * 1000) != 0) + status = STATUS_TIMEOUT; + } + + CloseHandle((HANDLE)(ULONG_PTR)req.event_handle); + } + + return status; +} + + +//--------------------------------------------------------------------------- +// SbieDll_QueuePutReq +//--------------------------------------------------------------------------- + + +_FX ULONG SbieDll_QueuePutReq(const WCHAR *QueueName, + void *DataPtr, + ULONG DataLen, + ULONG *out_RequestId, + HANDLE *out_EventHandle) +{ + NTSTATUS status = SbieDll_QueuePutReqImpl(QueueName, DataPtr, DataLen, out_RequestId, out_EventHandle); + if (status == STATUS_OBJECT_NAME_NOT_FOUND) { + + if (NT_SUCCESS(SbieDll_StartProxy(QueueName))) { + + status = SbieDll_QueuePutReqImpl(QueueName, DataPtr, DataLen, out_RequestId, out_EventHandle); + } + } + return status; +} + + //--------------------------------------------------------------------------- // SbieDll_QueueGetRpl //--------------------------------------------------------------------------- @@ -682,6 +753,80 @@ _FX ULONG SbieDll_QueueGetRpl(const WCHAR *QueueName, } +//--------------------------------------------------------------------------- +// SbieDll_CallProxySvr +//--------------------------------------------------------------------------- + + +_FX void *SbieDll_CallProxySvr( + WCHAR *QueueName, void *req, ULONG req_len, ULONG rpl_min_len, DWORD timeout_sec) +{ + //static ULONG _Ticks = 0; + //static ULONG _Ticks1 = 0; + NTSTATUS status; + ULONG req_id; + ULONG data_len; + void *data; + HANDLE event; + + //ULONG Ticks0 = GetTickCount(); + + /*if (1) { + WCHAR txt[128]; + Sbie_snwprintf(txt, 128, L"Request command is %08X\n", *(ULONG *)req); + OutputDebugString(txt); + }*/ + + status = SbieDll_QueuePutReq(QueueName, req, req_len, &req_id, &event); + if (NT_SUCCESS(status)) { + + // + // wait for a reply on the queue without processing window + // messages, this is the simpler case and is preferable in most + // scenarios where a window message is not expected + // + + if (WaitForSingleObject(event, timeout_sec * 1000) != 0) + status = STATUS_TIMEOUT; + + CloseHandle(event); + } + + if (status == 0) { + + status = SbieDll_QueueGetRpl(QueueName, req_id, &data, &data_len); + + if (NT_SUCCESS(status)) { + + if (data_len >= sizeof(ULONG) && *(ULONG *)data) { + + status = *(ULONG *)data; + + } else if (data_len >= rpl_min_len) { + + /*_Ticks += GetTickCount() - Ticks0; + if (_Ticks > _Ticks1 + 1000) { + WCHAR txt[128]; + Sbie_snwprintf(txt, 128, L"Already spent %d ticks in gui\n", _Ticks); + OutputDebugString(txt); + _Ticks1 = _Ticks; + }*/ + + return data; + + } else + status = STATUS_INFO_LENGTH_MISMATCH; + + Dll_Free(data); + } + } + + SbieApi_Log(2203, L"%S; MsgId: %d - %S [%08X]", QueueName, *(ULONG*)req, Dll_ImageName, status); + SetLastError(ERROR_SERVER_DISABLED); + return NULL; +} + + //--------------------------------------------------------------------------- // SbieDll_UpdateConf //--------------------------------------------------------------------------- diff --git a/Sandboxie/core/dll/custom.c b/Sandboxie/core/dll/custom.c index 38d4ce41..633433bb 100644 --- a/Sandboxie/core/dll/custom.c +++ b/Sandboxie/core/dll/custom.c @@ -1621,7 +1621,7 @@ ULONG Nsi_NsiAllocateAndGetTable(int a1, struct NPI_MODULEID* NPI_MS_ID, unsigne UINT_PTR key; // simple keys are sizeof(void*) key = *(UINT_PTR*)&pEntry->Address[0]; -#ifndef _WIN64 // on 32 bit platforms xor booth hafs to generate a 32 bit key +#ifndef _WIN64 // on 32-bit platforms, xor both halves to generate a 32-bit key key ^= *(UINT_PTR*)&pEntry->Address[4]; #endif diff --git a/Sandboxie/core/dll/dll.h b/Sandboxie/core/dll/dll.h index 21f55651..7c7b9c26 100644 --- a/Sandboxie/core/dll/dll.h +++ b/Sandboxie/core/dll/dll.h @@ -110,7 +110,7 @@ enum { DLL_IMAGE_ACROBAT_READER, DLL_IMAGE_OFFICE_OUTLOOK, DLL_IMAGE_OFFICE_EXCEL, - DLL_IMAGE_FLASH_PLAYER_SANDBOX, + DLL_IMAGE_FLASH_PLAYER_SANDBOX, // obsolete DLL_IMAGE_PLUGIN_CONTAINER, DLL_IMAGE_OTHER_WEB_BROWSER, DLL_IMAGE_OTHER_MAIL_CLIENT, @@ -312,6 +312,8 @@ extern ULONG Dll_Windows; extern PSECURITY_DESCRIPTOR Secure_NormalSD; extern PSECURITY_DESCRIPTOR Secure_EveryoneSD; +extern BOOLEAN Secure_CopyACLs; + extern BOOLEAN Secure_FakeAdmin; extern BOOLEAN Ldr_BoxedImage; @@ -601,6 +603,8 @@ ULONG_PTR ProtectCall4( void *CallAddress, ULONG_PTR Arg1, ULONG_PTR Arg2, ULONG_PTR Arg3, ULONG_PTR Arg4); +BOOL SH32_BreakoutDocument(const WCHAR* path, ULONG len); + BOOL SH32_DoRunAs( const WCHAR *CmdLine, const WCHAR *WorkDir, PROCESS_INFORMATION *pi, BOOL *cancelled); @@ -792,6 +796,8 @@ BOOLEAN Pdh_Init(HMODULE hmodule); BOOLEAN NsiRpc_Init(HMODULE); +//BOOLEAN Wininet_Init(HMODULE); + BOOLEAN Nsi_Init(HMODULE); BOOLEAN Ntmarta_Init(HMODULE); diff --git a/Sandboxie/core/dll/dllmain.c b/Sandboxie/core/dll/dllmain.c index 3a62b3d4..acd50513 100644 --- a/Sandboxie/core/dll/dllmain.c +++ b/Sandboxie/core/dll/dllmain.c @@ -733,9 +733,9 @@ _FX void Dll_SelectImageType(void) { Dll_ImageType = Dll_GetImageType(Dll_ImageName); - if (Dll_ImageType == DLL_IMAGE_UNSPECIFIED && - _wcsnicmp(Dll_ImageName, L"FlashPlayerPlugin_", 18) == 0) - Dll_ImageType = DLL_IMAGE_FLASH_PLAYER_SANDBOX; + //if (Dll_ImageType == DLL_IMAGE_UNSPECIFIED && + // _wcsnicmp(Dll_ImageName, L"FlashPlayerPlugin_", 18) == 0) + // Dll_ImageType = DLL_IMAGE_FLASH_PLAYER_SANDBOX; if (Dll_ImageType == DLL_IMAGE_DLLHOST) { @@ -773,8 +773,8 @@ _FX void Dll_SelectImageType(void) if (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME || Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX || - Dll_ImageType == DLL_IMAGE_ACROBAT_READER || - Dll_ImageType == DLL_IMAGE_FLASH_PLAYER_SANDBOX) { + //Dll_ImageType == DLL_IMAGE_FLASH_PLAYER_SANDBOX + Dll_ImageType == DLL_IMAGE_ACROBAT_READER) { Dll_ChromeSandbox = TRUE; } diff --git a/Sandboxie/core/dll/dns_filter.c b/Sandboxie/core/dll/dns_filter.c index 6348a38d..78c2b83d 100644 --- a/Sandboxie/core/dll/dns_filter.c +++ b/Sandboxie/core/dll/dns_filter.c @@ -194,7 +194,7 @@ _FX BOOLEAN WSA_InitNetDnsFilter(HMODULE module) map_init(&WSA_LookupMap, Dll_Pool); SCertInfo CertInfo = { 0 }; - if (!NT_SUCCESS(SbieApi_Call(API_QUERY_DRIVER_INFO, 3, -1, (ULONG_PTR)&CertInfo, sizeof(CertInfo))) || !CERT_IS_LEVEL(CertInfo, eCertAdvanced)) { + if (!NT_SUCCESS(SbieApi_QueryDrvInfo(-1, &CertInfo, sizeof(CertInfo))) || !CertInfo.opt_net) { const WCHAR* strings[] = { L"NetworkDnsFilter" , NULL }; SbieApi_LogMsgExt(-1, 6009, strings); diff --git a/Sandboxie/core/dll/file.c b/Sandboxie/core/dll/file.c index 9709d07f..6dbe1a9a 100644 --- a/Sandboxie/core/dll/file.c +++ b/Sandboxie/core/dll/file.c @@ -28,6 +28,7 @@ #include #include "core/svc/FileWire.h" #include "core/svc/InteractiveWire.h" +#include "core/svc/UserWire.h" #include "debug.h" //--------------------------------------------------------------------------- @@ -59,6 +60,7 @@ #define TYPE_READ_ONLY FILE_RESERVE_OPFILTER #define TYPE_SYSTEM FILE_OPEN_FOR_FREE_SPACE_QUERY #define TYPE_REPARSE_POINT FILE_OPEN_REPARSE_POINT +#define TYPE_EFS FILE_ATTRIBUTE_ENCRYPTED #define OBJECT_ATTRIBUTES_ATTRIBUTES \ @@ -149,6 +151,8 @@ static ULONG File_MatchPath(const WCHAR *path, ULONG *FileFlags); static ULONG File_MatchPath2(const WCHAR *path, ULONG *FileFlags, BOOLEAN bCheckObjectExists, BOOLEAN bMonitorLog); +static NTSTATUS File_AddCurrentUserToSD(PSECURITY_DESCRIPTOR *pSD); + static NTSTATUS File_NtOpenFile( HANDLE *FileHandle, ACCESS_MASK DesiredAccess, @@ -183,6 +187,45 @@ static NTSTATUS File_NtCreateFileImpl( void *EaBuffer, ULONG EaLength); +static NTSTATUS File_NtCreateTrueFile( + HANDLE *FileHandle, + ACCESS_MASK DesiredAccess, + OBJECT_ATTRIBUTES *ObjectAttributes, + IO_STATUS_BLOCK *IoStatusBlock, + LARGE_INTEGER *AllocationSize, + ULONG FileAttributes, + ULONG ShareAccess, + ULONG CreateDisposition, + ULONG CreateOptions, + void *EaBuffer, + ULONG EaLength); + +static NTSTATUS File_NtCreateCopyFile( + PHANDLE FileHandle, + ACCESS_MASK DesiredAccess, + POBJECT_ATTRIBUTES ObjectAttributes, + PIO_STATUS_BLOCK IoStatusBlock, + PLARGE_INTEGER AllocationSize, + ULONG FileAttributes, + ULONG ShareAccess, + ULONG CreateDisposition, + ULONG CreateOptions, + PVOID EaBuffer, + ULONG EaLength); + +static NTSTATUS File_NtCreateFileProxy( + HANDLE *FileHandle, + ACCESS_MASK DesiredAccess, + OBJECT_ATTRIBUTES *ObjectAttributes, + IO_STATUS_BLOCK *IoStatusBlock, + LARGE_INTEGER *AllocationSize, + ULONG FileAttributes, + ULONG ShareAccess, + ULONG CreateDisposition, + ULONG CreateOptions, + void *EaBuffer, + ULONG EaLength); + static NTSTATUS File_CheckCreateParameters( ACCESS_MASK DesiredAccess, ULONG CreateDisposition, ULONG CreateOptions, ULONG FileType); @@ -2494,6 +2537,162 @@ _FX NTSTATUS File_NtCreateFile( } +//--------------------------------------------------------------------------- +// File_DuplicateSecurityDescriptor +//--------------------------------------------------------------------------- + + +PSECURITY_DESCRIPTOR File_DuplicateSecurityDescriptor(PSECURITY_DESCRIPTOR pOriginalSD) +{ + if (pOriginalSD == NULL || !RtlValidSecurityDescriptor(pOriginalSD)) + return NULL; + + SECURITY_DESCRIPTOR_CONTROL control; + ULONG revision; + if (!NT_SUCCESS(RtlGetControlSecurityDescriptor(pOriginalSD, &control, &revision))) + return NULL; + + BOOL isSelfRelative = (control & SE_SELF_RELATIVE) != 0; + + if (!isSelfRelative) + { + ULONG sdSize = 0; + NTSTATUS status = RtlMakeSelfRelativeSD(pOriginalSD, NULL, &sdSize); + if (status != STATUS_BUFFER_TOO_SMALL) + return NULL; + + PSECURITY_DESCRIPTOR pSelfRelativeSD = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(sdSize); + if (pSelfRelativeSD == NULL) + return NULL; + + status = RtlMakeSelfRelativeSD(pOriginalSD, pSelfRelativeSD, &sdSize); + if (!NT_SUCCESS(status)) { + LocalFree(pSelfRelativeSD); + return NULL; + } + + return pSelfRelativeSD; + } + else + { + ULONG sdSize = RtlLengthSecurityDescriptor(pOriginalSD); + + PSECURITY_DESCRIPTOR pNewSD = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(sdSize); + if (pNewSD == NULL) + return NULL; + + memcpy(pNewSD, pOriginalSD, sdSize); + + return pNewSD; + } +} + + +//--------------------------------------------------------------------------- +// File_AddCurrentUserToSD +//--------------------------------------------------------------------------- + + +NTSTATUS File_AddCurrentUserToSD(PSECURITY_DESCRIPTOR *pSD) +{ + PACL pOldDACL = NULL; + PACL pNewDACL = NULL; + PSECURITY_DESCRIPTOR pAbsoluteSD = NULL; + ULONG daclLength = 0; + NTSTATUS status; + BOOLEAN daclPresent = FALSE, daclDefaulted = FALSE; + ULONG aceCount = 0; + ULONG absoluteSDSize = 0, daclSize = 0, saclSize = 0, ownerSize = 0, groupSize = 0; + PSID ownerSid = NULL, groupSid = NULL; + PACL sacl = NULL; + + if (!Dll_SidString) + return STATUS_UNSUCCESSFUL; + PSID pSid = Dll_SidStringToSid(Dll_SidString); + if (!pSid) + return STATUS_UNSUCCESSFUL; + + status = RtlSelfRelativeToAbsoluteSD(*pSD, NULL, &absoluteSDSize, NULL, &daclSize, NULL, &saclSize, NULL, &ownerSize, NULL, &groupSize); + if (status != STATUS_BUFFER_TOO_SMALL) + return status; + + pAbsoluteSD = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(absoluteSDSize); + pOldDACL = (PACL)Dll_AllocTemp(daclSize); + sacl = (PACL)Dll_AllocTemp(saclSize); + ownerSid = (PSID)Dll_AllocTemp(ownerSize); + groupSid = (PSID)Dll_AllocTemp(groupSize); + + if (!pAbsoluteSD || !pOldDACL || !sacl || !ownerSid || !groupSid) { + status = STATUS_NO_MEMORY; + goto cleanup; + } + + status = RtlSelfRelativeToAbsoluteSD(*pSD, pAbsoluteSD, &absoluteSDSize, pOldDACL, &daclSize, sacl, &saclSize, ownerSid, &ownerSize, groupSid, &groupSize); + if (!NT_SUCCESS(status)) + goto cleanup; + + status = RtlGetDaclSecurityDescriptor(pAbsoluteSD, &daclPresent, &pOldDACL, &daclDefaulted); + if (!NT_SUCCESS(status) || !daclPresent || !pOldDACL) + goto cleanup; + + daclLength = pOldDACL->AclSize + sizeof(ACCESS_ALLOWED_ACE) + RtlLengthSid(pSid) - sizeof(DWORD); + + pNewDACL = (PACL)Dll_AllocTemp(daclLength); + if (!pNewDACL) { + status = STATUS_NO_MEMORY; + goto cleanup; + } + + status = RtlCreateAcl(pNewDACL, daclLength, pOldDACL->AclRevision); + if (!NT_SUCCESS(status)) + goto cleanup; + + for (aceCount = 0; aceCount < pOldDACL->AceCount; aceCount++) { + PVOID pAce; + if (NT_SUCCESS(RtlGetAce(pOldDACL, aceCount, &pAce))) { + status = RtlAddAce(pNewDACL, pOldDACL->AclRevision, -1, pAce, ((PACE_HEADER)pAce)->AceSize); + if (!NT_SUCCESS(status)) + goto cleanup; + } + } + + status = RtlAddAccessAllowedAceEx(pNewDACL, pNewDACL->AclRevision, CONTAINER_INHERIT_ACE | OBJECT_INHERIT_ACE | INHERITED_ACE, GENERIC_ALL, pSid ); + if (!NT_SUCCESS(status)) + goto cleanup; + + status = RtlSetDaclSecurityDescriptor(pAbsoluteSD, TRUE, pNewDACL, FALSE); + if (!NT_SUCCESS(status)) + goto cleanup; + + ULONG selfRelativeSDSize = 0; + status = RtlMakeSelfRelativeSD(pAbsoluteSD, NULL, &selfRelativeSDSize); + if (status != STATUS_BUFFER_TOO_SMALL) + goto cleanup; + + Dll_Free(*pSD); + *pSD = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(selfRelativeSDSize); + if (!*pSD) { + status = STATUS_NO_MEMORY; + goto cleanup; + } + + status = RtlMakeSelfRelativeSD(pAbsoluteSD, *pSD, &selfRelativeSDSize); + if (!NT_SUCCESS(status)) + goto cleanup; + +cleanup: + if (pAbsoluteSD) Dll_Free(pAbsoluteSD); + if (pNewDACL) Dll_Free(pNewDACL); + if (ownerSid) Dll_Free(ownerSid); + if (groupSid) Dll_Free(groupSid); + if (sacl) Dll_Free(sacl); + + Dll_Free(pSid); + + return status; +} + + //--------------------------------------------------------------------------- // File_NtCreateFileImpl //--------------------------------------------------------------------------- @@ -2569,6 +2768,7 @@ _FX NTSTATUS File_NtCreateFileImpl( BOOLEAN TrueOpened; //char *pPtr = NULL; BOOLEAN SkipOriginalTry; + PSECURITY_DESCRIPTOR pSecurityDescriptor = NULL; //if (wcsstr(Dll_ImageName, L"chrome.exe") != 0) { // *pPtr = 34; @@ -2649,10 +2849,21 @@ _FX NTSTATUS File_NtCreateFileImpl( IoStatusBlock->Information = FILE_DOES_NOT_EXIST; IoStatusBlock->Status = 0; - InitializeObjectAttributes(&objattrs, - &objname, OBJECT_ATTRIBUTES_ATTRIBUTES, NULL, Secure_NormalSD); - /*objattrs.SecurityQualityOfService = - ObjectAttributes->SecurityQualityOfService;*/ + if (Secure_CopyACLs) { + + pSecurityDescriptor = File_DuplicateSecurityDescriptor(ObjectAttributes->SecurityDescriptor); + if (pSecurityDescriptor) + File_AddCurrentUserToSD(&pSecurityDescriptor); + + InitializeObjectAttributes(&objattrs, + &objname, OBJECT_ATTRIBUTES_ATTRIBUTES, NULL, pSecurityDescriptor); + } + else { + InitializeObjectAttributes(&objattrs, + &objname, OBJECT_ATTRIBUTES_ATTRIBUTES, NULL, Secure_NormalSD); + /*objattrs.SecurityQualityOfService = + ObjectAttributes->SecurityQualityOfService;*/ + } // // remove creation options that can't be honored because the @@ -2698,6 +2909,9 @@ _FX NTSTATUS File_NtCreateFileImpl( TlsData->file_NtCreateFile_lock = FALSE; + if(pSecurityDescriptor) + Dll_Free(pSecurityDescriptor); + return __sys_NtCreateFile( FileHandle, DesiredAccess, ObjectAttributes, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, @@ -2840,7 +3054,8 @@ ReparseLoop: ObjectAttributes->SecurityQualityOfService; */ - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateTrueFile( FileHandle, DesiredAccess, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, @@ -2868,7 +3083,8 @@ ReparseLoop: if (ReparsedPath) { RtlInitUnicodeString(&objname, ReparsedPath); - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateTrueFile( FileHandle, DesiredAccess, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, @@ -2883,7 +3099,8 @@ ReparseLoop: // if we can't get maximum access, try read-only access // - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateTrueFile( FileHandle, FILE_GENERIC_READ, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, @@ -2917,6 +3134,7 @@ ReparseLoop: // use the Everyone security descriptor // + // $Workaround$ - 3rd party fix if (Dll_ImageType == DLL_IMAGE_OFFICE_OUTLOOK && wcsstr(TruePath, L"\\OICE_")) { @@ -3154,6 +3372,11 @@ ReparseLoop: } } + if (!Dll_CompartmentMode) + if ((FileType & TYPE_EFS) != 0) { + SbieApi_Log(2225, TruePath); + } + // // If the "true" file is in an snapshot it can be a deleted one, // check for this and act acrodingly. @@ -3292,7 +3515,8 @@ ReparseLoop: if (CreateDisposition == FILE_OPEN_IF) CreateDisposition = FILE_OPEN; - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateTrueFile( FileHandle, DesiredAccess, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, @@ -3317,7 +3541,8 @@ ReparseLoop: // RtlInitUnicodeString(&objname, CopyPath); - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateCopyFile( FileHandle, DesiredAccess, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, FILE_OPEN_IF, FILE_DIRECTORY_FILE, @@ -3452,7 +3677,8 @@ ReparseLoop: RtlInitUnicodeString(&objname, TruePath); - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateTrueFile( FileHandle, FILE_GENERIC_READ, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, @@ -3591,7 +3817,8 @@ ReparseLoop: DesiredAccess &= ~FILE_DENIED_ACCESS; CreateOptions &= ~FILE_DELETE_ON_CLOSE; - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateTrueFile( FileHandle, DesiredAccess, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, EaBuffer, EaLength); @@ -3675,7 +3902,8 @@ ReparseLoop: DesiredAccess |= DELETE; } - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateCopyFile( FileHandle, DesiredAccess | FILE_READ_ATTRIBUTES, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, EaBuffer, EaLength); @@ -3685,7 +3913,8 @@ ReparseLoop: CreateOptions &= ~FILE_DELETE_ON_CLOSE; DesiredAccess &= ~DELETE; - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateCopyFile( FileHandle, DesiredAccess | FILE_READ_ATTRIBUTES, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, ShareAccess, CreateDisposition, CreateOptions, @@ -3778,7 +4007,8 @@ ReparseLoop: // file handle was closed in File_AdjustShortName // - status = __sys_NtCreateFile( + //status = __sys_NtCreateFile( + status = File_NtCreateCopyFile( FileHandle, DesiredAccess | FILE_READ_ATTRIBUTES, &objattrs, IoStatusBlock, AllocationSize, FileAttributes, @@ -3862,11 +4092,196 @@ ReparseLoop: SbieApi_MonitorPut2Ex(MONITOR_APICALL | MONITOR_TRACE, len, trace_str, FALSE, FALSE); } + if(pSecurityDescriptor) + Dll_Free(pSecurityDescriptor); + SetLastError(LastError); return status; } +//--------------------------------------------------------------------------- +// File_NtCreateTrueFile +//--------------------------------------------------------------------------- + + +_FX NTSTATUS File_NtCreateTrueFile( + HANDLE *FileHandle, + ACCESS_MASK DesiredAccess, + OBJECT_ATTRIBUTES *ObjectAttributes, + IO_STATUS_BLOCK *IoStatusBlock, + LARGE_INTEGER *AllocationSize, + ULONG FileAttributes, + ULONG ShareAccess, + ULONG CreateDisposition, + ULONG CreateOptions, + void *EaBuffer, + ULONG EaLength) +{ + NTSTATUS status = __sys_NtCreateFile( + FileHandle, DesiredAccess, ObjectAttributes, + IoStatusBlock, AllocationSize, FileAttributes, + ShareAccess, CreateDisposition, CreateOptions, + EaBuffer, EaLength); + + if (!Dll_CompartmentMode) + if (status == STATUS_ACCESS_DENIED + && SbieApi_QueryConfBool(NULL, L"EnableEFS", FALSE)) { + + WCHAR* TruePath = ObjectAttributes->ObjectName->Buffer; + + // + // check if we are handling a EFS file or folder + // + + ULONG FileType; + status = File_GetFileType(ObjectAttributes, FALSE, &FileType, NULL); + + if (status == STATUS_OBJECT_NAME_NOT_FOUND && CreateDisposition != 0) { + + // + // check status of parent directory + // + + WCHAR* ptr1 = wcsrchr(TruePath, L'\\'); + *ptr1 = L'\0'; + RtlInitUnicodeString(ObjectAttributes->ObjectName, TruePath); + + status = File_GetFileType(ObjectAttributes, FALSE, &FileType, NULL); + + *ptr1 = L'\\'; + RtlInitUnicodeString(ObjectAttributes->ObjectName, TruePath); + } + + if (NT_SUCCESS(status) && (FileType & TYPE_EFS) != 0) { + + // + // invoke NtCreateFile Proxy + // + + status = File_NtCreateFileProxy( + FileHandle, DesiredAccess, ObjectAttributes, + IoStatusBlock, AllocationSize, FileAttributes, + ShareAccess, CreateDisposition, CreateOptions, + EaBuffer, EaLength); + + if(!NT_SUCCESS(status)) + SbieApi_Log(2225, TruePath); + } + } + + return status; +} + + +//--------------------------------------------------------------------------- +// File_NtCreateCopyFile +//--------------------------------------------------------------------------- + + +static NTSTATUS File_NtCreateCopyFile( + PHANDLE FileHandle, + ACCESS_MASK DesiredAccess, + POBJECT_ATTRIBUTES ObjectAttributes, + PIO_STATUS_BLOCK IoStatusBlock, + PLARGE_INTEGER AllocationSize, + ULONG FileAttributes, + ULONG ShareAccess, + ULONG CreateDisposition, + ULONG CreateOptions, + PVOID EaBuffer, + ULONG EaLength) +{ + NTSTATUS status = __sys_NtCreateFile( + FileHandle, DesiredAccess, ObjectAttributes, + IoStatusBlock, AllocationSize, FileAttributes, + ShareAccess, CreateDisposition, CreateOptions, + EaBuffer, EaLength); + + return status; +} + + +//--------------------------------------------------------------------------- +// File_NtCreateFileProxy +//--------------------------------------------------------------------------- + + +NTSTATUS File_NtCreateFileProxy( + HANDLE *FileHandle, + ACCESS_MASK DesiredAccess, + OBJECT_ATTRIBUTES *ObjectAttributes, + IO_STATUS_BLOCK *IoStatusBlock, + LARGE_INTEGER *AllocationSize, + ULONG FileAttributes, + ULONG ShareAccess, + ULONG CreateDisposition, + ULONG CreateOptions, + void *EaBuffer, + ULONG EaLength) +{ + NTSTATUS status; + static WCHAR* _QueueName = NULL; + + if (!_QueueName) { + _QueueName = Dll_Alloc(32 * sizeof(WCHAR)); + Sbie_snwprintf(_QueueName, 32, L"*USERPROXY_%08X", Dll_SessionId); + } + + if (ObjectAttributes->RootDirectory != NULL || ObjectAttributes->ObjectName == NULL) { + + SbieApi_Log(2205, L"NtCreateFile (EFS)"); + return STATUS_ACCESS_DENIED; + } + + ULONG path_len = ObjectAttributes->ObjectName->Length + sizeof(WCHAR); + ULONG req_len = sizeof(USER_OPEN_FILE_REQ) + path_len + EaLength; + ULONG path_pos = sizeof(USER_OPEN_FILE_REQ); + ULONG ea_pos = path_pos + path_len; + + USER_OPEN_FILE_REQ *req = (USER_OPEN_FILE_REQ *)Dll_AllocTemp(req_len); + + WCHAR* path_buff = ((UCHAR*)req) + path_pos; + memcpy(path_buff, ObjectAttributes->ObjectName->Buffer, path_len); + + if (EaBuffer && EaLength > 0) { + void* ea_buff = ((UCHAR*)req) + ea_pos; + memcpy(ea_buff, EaBuffer, EaLength); + } + + req->msgid = USER_OPEN_FILE; + + req->DesiredAccess = DesiredAccess; + req->FileNameOffset = path_pos; + //req->FileNameSize = path_len; + req->AllocationSize = AllocationSize ? AllocationSize->QuadPart : 0; + req->FileAttributes = FileAttributes; + req->ShareAccess = ShareAccess; + req->CreateDisposition = CreateDisposition; + req->CreateOptions = CreateOptions; + req->EaBufferOffset = EaBuffer ? ea_pos : 0; + req->EaLength = EaLength; + + USER_OPEN_FILE_RPL *rpl = SbieDll_CallProxySvr(_QueueName, req, req_len, sizeof(*rpl), 100); + if (!rpl) { + status = STATUS_INTERNAL_ERROR; + goto finish; + } + + if (NT_SUCCESS(rpl->status)) { + status = rpl->error; + *FileHandle = (HANDLE)rpl->FileHandle; + IoStatusBlock->Status = rpl->Status; + IoStatusBlock->Information = (ULONG_PTR)rpl->Information; + } + + Dll_Free(rpl); +finish: + Dll_Free(req); + return status; +} + + //--------------------------------------------------------------------------- // File_CheckCreateParameters //--------------------------------------------------------------------------- @@ -4132,6 +4547,9 @@ _FX NTSTATUS File_GetFileType( if (info.FileAttributes & FILE_ATTRIBUTE_SYSTEM) type |= TYPE_SYSTEM; + if (info.FileAttributes & FILE_ATTRIBUTE_ENCRYPTED) + type |= TYPE_EFS; + if (!File_Delete_v2) { if (IS_DELETE_MARK(&info.CreationTime)) type |= TYPE_DELETED; @@ -4239,6 +4657,9 @@ _FX NTSTATUS File_CreatePath(WCHAR *TruePath, WCHAR *CopyPath) IO_STATUS_BLOCK IoStatusBlock; FILE_BASIC_INFORMATION basic_info; BOOLEAN IsDeleted = FALSE; + OBJECT_ATTRIBUTES objattrs2; + UNICODE_STRING objname2; + PSECURITY_DESCRIPTOR pSecurityDescriptor = NULL; // // first we traverse backward along the path, removing the last @@ -4252,6 +4673,11 @@ _FX NTSTATUS File_CreatePath(WCHAR *TruePath, WCHAR *CopyPath) RtlInitUnicodeString(&objname, CopyPath); + InitializeObjectAttributes( + &objattrs2, &objname2, OBJ_CASE_INSENSITIVE, NULL, Secure_NormalSD); + + RtlInitUnicodeString(&objname2, TruePath); + TruePath_len = wcslen(TruePath); CopyPath_len = objname.Length / sizeof(WCHAR); @@ -4286,6 +4712,46 @@ _FX NTSTATUS File_CreatePath(WCHAR *TruePath, WCHAR *CopyPath) savechar2 = *sep2; *sep2 = L'\0'; + if (Secure_CopyACLs) { + + if (pSecurityDescriptor) { + Dll_Free(pSecurityDescriptor); + pSecurityDescriptor = NULL; + } + + savelength = objname2.Length; + savemaximumlength = objname2.MaximumLength; + objname2.Length = (sep2 - TruePath) * sizeof(WCHAR); + objname2.MaximumLength = objname2.Length + sizeof(WCHAR); + + status = __sys_NtCreateFile( + &handle, FILE_READ_ATTRIBUTES, &objattrs2, + &IoStatusBlock, NULL, + FILE_ATTRIBUTE_NORMAL, FILE_SHARE_VALID_FLAGS, + FILE_OPEN, FILE_DIRECTORY_FILE, NULL, 0); + + if (NT_SUCCESS(status)) { + + ULONG lengthNeeded = 0; + status = NtQuerySecurityObject(handle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, NULL, 0, &lengthNeeded); + if (status == STATUS_BUFFER_TOO_SMALL) { + pSecurityDescriptor = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(lengthNeeded); + status = NtQuerySecurityObject(handle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, pSecurityDescriptor, lengthNeeded, &lengthNeeded); + if (NT_SUCCESS(status)) + File_AddCurrentUserToSD(&pSecurityDescriptor); + else { + Dll_Free(pSecurityDescriptor); + pSecurityDescriptor = NULL; + } + } + + NtClose(handle); + } + + InitializeObjectAttributes( + &objattrs, &objname, OBJ_CASE_INSENSITIVE, NULL, pSecurityDescriptor ? pSecurityDescriptor : Secure_NormalSD); + } + savelength = objname.Length; savemaximumlength = objname.MaximumLength; objname.Length = (sep - path) * sizeof(WCHAR); @@ -4374,6 +4840,51 @@ _FX NTSTATUS File_CreatePath(WCHAR *TruePath, WCHAR *CopyPath) savechar = *sep; *sep = L'\0'; + if (Secure_CopyACLs) { + + if (pSecurityDescriptor) { + Dll_Free(pSecurityDescriptor); + pSecurityDescriptor = NULL; + } + + savechar2 = *sep2; + *sep2 = L'\0'; + + savelength = objname2.Length; + savemaximumlength = objname2.MaximumLength; + objname2.Length = (sep2 - TruePath) * sizeof(WCHAR); + objname2.MaximumLength = objname2.Length + sizeof(WCHAR); + + status = __sys_NtCreateFile( + &handle, FILE_READ_ATTRIBUTES, &objattrs2, + &IoStatusBlock, NULL, + FILE_ATTRIBUTE_NORMAL, FILE_SHARE_VALID_FLAGS, + FILE_OPEN, FILE_DIRECTORY_FILE, NULL, 0); + + if (NT_SUCCESS(status)) { + + ULONG lengthNeeded = 0; + status = NtQuerySecurityObject(handle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, NULL, 0, &lengthNeeded); + if (status == STATUS_BUFFER_TOO_SMALL) { + pSecurityDescriptor = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(lengthNeeded); + status = NtQuerySecurityObject(handle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, pSecurityDescriptor, lengthNeeded, &lengthNeeded); + if (NT_SUCCESS(status)) + File_AddCurrentUserToSD(&pSecurityDescriptor); + else { + Dll_Free(pSecurityDescriptor); + pSecurityDescriptor = NULL; + } + } + + NtClose(handle); + } + + InitializeObjectAttributes( + &objattrs, &objname, OBJ_CASE_INSENSITIVE, NULL, pSecurityDescriptor ? pSecurityDescriptor : Secure_NormalSD); + + *sep2 = savechar2; + } + savelength = objname.Length; savemaximumlength = objname.MaximumLength; objname.Length = (sep - path) * sizeof(WCHAR); @@ -4405,6 +4916,9 @@ _FX NTSTATUS File_CreatePath(WCHAR *TruePath, WCHAR *CopyPath) if (! NT_SUCCESS(status)) break; } + + if(pSecurityDescriptor) + Dll_Free(pSecurityDescriptor); return status; } diff --git a/Sandboxie/core/dll/file_copy.c b/Sandboxie/core/dll/file_copy.c index ca9002de..253f34ec 100644 --- a/Sandboxie/core/dll/file_copy.c +++ b/Sandboxie/core/dll/file_copy.c @@ -218,8 +218,6 @@ _FX void File_InitCopyLimit(void) { static const WCHAR* _CopyLimitKb = L"CopyLimitKb"; static const WCHAR* _CopyLimitSilent = L"CopyLimitSilent"; - NTSTATUS status; - WCHAR str[32]; // // if this is one of SandboxieCrypto, SandboxieWUAU or WUAUCLT, @@ -247,18 +245,8 @@ _FX void File_InitCopyLimit(void) // get configuration settings for CopyLimitKb and CopyLimitSilent // - status = SbieApi_QueryConfAsIs( - NULL, _CopyLimitKb, 0, str, sizeof(str) - sizeof(WCHAR)); - if (NT_SUCCESS(status)) { - ULONGLONG num = _wtoi64(str); - if (num) - File_CopyLimitKb = (num > 0x000000007fffffff) ? -1 : num; - else - SbieApi_Log(2207, _CopyLimitKb); - } - - File_CopyLimitSilent = - SbieApi_QueryConfBool(NULL, _CopyLimitSilent, FALSE); + File_CopyLimitKb = SbieApi_QueryConfNumber64(NULL, _CopyLimitKb, -1); + File_CopyLimitSilent = SbieApi_QueryConfBool(NULL, _CopyLimitSilent, FALSE); } @@ -280,6 +268,7 @@ _FX NTSTATUS File_MigrateFile( ULONGLONG file_size; ACCESS_MASK DesiredAccess; ULONG CreateOptions; + PSECURITY_DESCRIPTOR pSecurityDescriptor = NULL; InitializeObjectAttributes( &objattrs, &objname, OBJ_CASE_INSENSITIVE, NULL, Secure_NormalSD); @@ -354,6 +343,34 @@ _FX NTSTATUS File_MigrateFile( else file_size = 0; + if (Secure_CopyACLs) { + + // + // Query the security descriptor of the source file + // + + ULONG lengthNeeded = 0; + status = NtQuerySecurityObject(TrueHandle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, NULL, 0, &lengthNeeded); + if (status == STATUS_BUFFER_TOO_SMALL) { + pSecurityDescriptor = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(lengthNeeded); + status = NtQuerySecurityObject(TrueHandle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, pSecurityDescriptor, lengthNeeded, &lengthNeeded); + if (NT_SUCCESS(status)) + File_AddCurrentUserToSD(&pSecurityDescriptor); + else { + Dll_Free(pSecurityDescriptor); + pSecurityDescriptor = NULL; + } + } + + if (!NT_SUCCESS(status)) { + NtClose(TrueHandle); + return status; + } + + InitializeObjectAttributes( + &objattrs, &objname, OBJ_CASE_INSENSITIVE, NULL, pSecurityDescriptor); + } + // // create the CopyPath file // @@ -377,6 +394,8 @@ _FX NTSTATUS File_MigrateFile( if (!NT_SUCCESS(status)) { NtClose(TrueHandle); + if(pSecurityDescriptor) + Dll_Free(pSecurityDescriptor); return status; } @@ -462,6 +481,8 @@ _FX NTSTATUS File_MigrateFile( } NtClose(TrueHandle); + if(pSecurityDescriptor) + Dll_Free(pSecurityDescriptor); NtClose(CopyHandle); return status; @@ -483,6 +504,7 @@ _FX NTSTATUS File_MigrateJunction( UNICODE_STRING objname; IO_STATUS_BLOCK IoStatusBlock; FILE_NETWORK_OPEN_INFORMATION open_info; + PSECURITY_DESCRIPTOR pSecurityDescriptor = NULL; InitializeObjectAttributes( &objattrs, &objname, OBJ_CASE_INSENSITIVE, NULL, Secure_NormalSD); @@ -531,6 +553,34 @@ _FX NTSTATUS File_MigrateJunction( if (!NT_SUCCESS(status)) return status; + if (Secure_CopyACLs) { + + // + // Query the security descriptor of the source file + // + + ULONG lengthNeeded = 0; + status = NtQuerySecurityObject(TrueHandle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, NULL, 0, &lengthNeeded); + if (status == STATUS_BUFFER_TOO_SMALL) { + pSecurityDescriptor = (PSECURITY_DESCRIPTOR)Dll_AllocTemp(lengthNeeded); + status = NtQuerySecurityObject(TrueHandle, DACL_SECURITY_INFORMATION | SACL_SECURITY_INFORMATION | /*OWNER_SECURITY_INFORMATION |*/ GROUP_SECURITY_INFORMATION, pSecurityDescriptor, lengthNeeded, &lengthNeeded); + if (NT_SUCCESS(status)) + File_AddCurrentUserToSD(&pSecurityDescriptor); + else { + Dll_Free(pSecurityDescriptor); + pSecurityDescriptor = NULL; + } + } + + if (!NT_SUCCESS(status)) { + NtClose(TrueHandle); + return status; + } + + InitializeObjectAttributes( + &objattrs, &objname, OBJ_CASE_INSENSITIVE, NULL, pSecurityDescriptor); + } + // // Create the destination file with reparse point data // @@ -543,8 +593,11 @@ _FX NTSTATUS File_MigrateJunction( FILE_CREATE, FILE_SYNCHRONOUS_IO_NONALERT | FILE_DIRECTORY_FILE | FILE_OPEN_REPARSE_POINT, NULL, 0); - if (!NT_SUCCESS(status)) - return status; + if (!NT_SUCCESS(status)) { + NtClose(TrueHandle); + if (pSecurityDescriptor) + Dll_Free(pSecurityDescriptor); + } // // Set the reparse point data to the destination @@ -571,6 +624,8 @@ _FX NTSTATUS File_MigrateJunction( } NtClose(TrueHandle); + if(pSecurityDescriptor) + Dll_Free(pSecurityDescriptor); NtClose(CopyHandle); return status; diff --git a/Sandboxie/core/dll/file_init.c b/Sandboxie/core/dll/file_init.c index c5c776f2..ab421966 100644 --- a/Sandboxie/core/dll/file_init.c +++ b/Sandboxie/core/dll/file_init.c @@ -285,12 +285,13 @@ _FX BOOLEAN File_Init(void) // // support for Google Chrome flash plugin process // + // $Workaround$ - 3rd party fix + //void *GetVolumeInformationW = + // GetProcAddress(Dll_KernelBase ? Dll_KernelBase : Dll_Kernel32, + // "GetVolumeInformationW"); + //SBIEDLL_HOOK(File_,GetVolumeInformationW); - void *GetVolumeInformationW = - GetProcAddress(Dll_KernelBase ? Dll_KernelBase : Dll_Kernel32, - "GetVolumeInformationW"); - SBIEDLL_HOOK(File_,GetVolumeInformationW); - + // $Workaround$ - 3rd party fix void *WriteProcessMemory = GetProcAddress(Dll_KernelBase ? Dll_KernelBase : Dll_Kernel32, "WriteProcessMemory"); diff --git a/Sandboxie/core/dll/file_misc.c b/Sandboxie/core/dll/file_misc.c index 688e153f..987a62ea 100644 --- a/Sandboxie/core/dll/file_misc.c +++ b/Sandboxie/core/dll/file_misc.c @@ -453,37 +453,37 @@ _FX NTSTATUS File_CreateBoxedPath(const WCHAR *PathToCreate) //--------------------------------------------------------------------------- -_FX BOOL File_GetVolumeInformationW( - const WCHAR *lpRootPathName, - WCHAR *lpVolumeNameBuffer, ULONG nVolumeNameSize, - ULONG *lpVolumeSerialNumber, ULONG *lpMaximumComponentLength, - ULONG *lpFileSystemFlags, - WCHAR *lpFileSystemNameBuffer, ULONG nFileSystemNameSize) -{ - // - // the flash plugin process of Google Chrome issues a special form - // of GetVolumeInformationW with all-NULL parameters. this fails - // with an access denied error. to work around this, we install - // this hook, and automatically return TRUE in this special case. - // - - // $Workaround$ - 3rd party fix - if (Dll_ChromeSandbox && - lpVolumeNameBuffer == NULL && nVolumeNameSize == 0 && - lpVolumeSerialNumber == NULL && lpMaximumComponentLength == NULL && - lpFileSystemFlags == NULL && - lpFileSystemNameBuffer == NULL && nFileSystemNameSize == 0) { - - SetLastError(ERROR_SUCCESS); - return TRUE; - - } - - return __sys_GetVolumeInformationW( - lpRootPathName, lpVolumeNameBuffer, nVolumeNameSize, - lpVolumeSerialNumber, lpMaximumComponentLength, - lpFileSystemFlags, lpFileSystemNameBuffer, nFileSystemNameSize); -} +//_FX BOOL File_GetVolumeInformationW( +// const WCHAR *lpRootPathName, +// WCHAR *lpVolumeNameBuffer, ULONG nVolumeNameSize, +// ULONG *lpVolumeSerialNumber, ULONG *lpMaximumComponentLength, +// ULONG *lpFileSystemFlags, +// WCHAR *lpFileSystemNameBuffer, ULONG nFileSystemNameSize) +//{ +// // +// // the flash plugin process of Google Chrome issues a special form +// // of GetVolumeInformationW with all-NULL parameters. this fails +// // with an access denied error. to work around this, we install +// // this hook, and automatically return TRUE in this special case. +// // +// +// // $Workaround$ - 3rd party fix +// if (Dll_ChromeSandbox && +// lpVolumeNameBuffer == NULL && nVolumeNameSize == 0 && +// lpVolumeSerialNumber == NULL && lpMaximumComponentLength == NULL && +// lpFileSystemFlags == NULL && +// lpFileSystemNameBuffer == NULL && nFileSystemNameSize == 0) { +// +// SetLastError(ERROR_SUCCESS); +// return TRUE; +// +// } +// +// return __sys_GetVolumeInformationW( +// lpRootPathName, lpVolumeNameBuffer, nVolumeNameSize, +// lpVolumeSerialNumber, lpMaximumComponentLength, +// lpFileSystemFlags, lpFileSystemNameBuffer, nFileSystemNameSize); +//} //--------------------------------------------------------------------------- @@ -522,6 +522,7 @@ BOOL File_WriteProcessMemory( // this function is only hooked when Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX // + // $Workaround$ - 3rd party fix if ((Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX || Dll_ImageType == DLL_IMAGE_MOZILLA_THUNDERBIRD) && lpBaseAddress && lpBaseAddress == GetProcAddress(Dll_Ntdll, "NtSetInformationThread")) //if (RpcRt_TestCallingModule((ULONG_PTR)lpBaseAddress, (ULONG_PTR)Dll_Ntdll)) diff --git a/Sandboxie/core/dll/gui.c b/Sandboxie/core/dll/gui.c index 355a0a8a..4717563f 100644 --- a/Sandboxie/core/dll/gui.c +++ b/Sandboxie/core/dll/gui.c @@ -44,6 +44,8 @@ void* SbieDll_Hook_arm(const char* SourceFuncName, void* SourceFunc, void* Detou BOOLEAN Gui_UseProxyService = TRUE; +HWINSTA Gui_Dummy_WinSta = NULL; + //--------------------------------------------------------------------------- // Function Pointers in USER32.DLL @@ -389,7 +391,7 @@ _FX BOOLEAN Gui_Init(HMODULE module) // disable the use of the gui proxy // - Gui_UseProxyService = !Dll_CompartmentMode && !SbieApi_QueryConfBool(NULL, L"NoSandboxieDesktop", FALSE); + Gui_UseProxyService = !(Dll_CompartmentMode || SbieApi_QueryConfBool(NULL, L"NoSandboxieDesktop", FALSE)); // NoSbieDesk END GUI_IMPORT___(PrintWindow); @@ -970,148 +972,160 @@ _FX BOOLEAN Gui_ConnectToWindowStationAndDesktop(HMODULE User32) errlvl = 2; else { - // - // locate windowstation and desktop functions in user32 dll - // - - P_SetProcessWindowStation _SetProcessWindowStation = - (P_SetProcessWindowStation) - GetProcAddress(User32, "SetProcessWindowStation"); - - if (! __sys_SetThreadDesktop) { - // in the special case when USER32 is loaded before GDI32, as - // discussed in Gdi_InitZero, SetThreadDesktop is still zero - __sys_SetThreadDesktop = (P_SetThreadDesktop) - GetProcAddress(User32, "SetThreadDesktop"); - } - - if ((! _SetProcessWindowStation) || (! __sys_SetThreadDesktop)) - errlvl = 3; + if (SbieApi_QueryConfBool(NULL, L"OpenWndStation", FALSE)) + _ProcessDesktop = (HDESK)-1; else { // - // set DesktopName in ProcessParms to point to our dummy - // window station so the initial default connection can - // be made to a workstation that is accessible + // locate windowstation and desktop functions in user32 dll // - UNICODE_STRING SaveDesktopName; -#ifndef _WIN64 - UNICODE_STRING64 SaveDesktopName64; - UNICODE_STRING64 *DesktopName64; -#endif ! _WIN64 + P_SetProcessWindowStation _SetProcessWindowStation = + (P_SetProcessWindowStation) + GetProcAddress(User32, "SetProcessWindowStation"); - memcpy(&SaveDesktopName, &ProcessParms->DesktopName, - sizeof(UNICODE_STRING)); + P_GetProcessWindowStation _GetProcessWindowStation = + (P_GetProcessWindowStation) + GetProcAddress(User32, "GetProcessWindowStation"); - RtlInitUnicodeString( - &ProcessParms->DesktopName, rpl->name); + if (!__sys_SetThreadDesktop) { + // in the special case when USER32 is loaded before GDI32, as + // discussed in Gdi_InitZero, SetThreadDesktop is still zero + __sys_SetThreadDesktop = (P_SetThreadDesktop) + GetProcAddress(User32, "SetThreadDesktop"); + } -#ifndef _WIN64 - // - // in a 32-bit process on 64-bit Windows, we actually need - // to change the DesktopName member in the 64-bit - // RTL_USER_PROCESS_PARAMETERS structure and not the - // 32-bit version of the structure. - // - // note that the 64-bit PEB will be in the lower 32-bits in - // a 32-bit process, so it is accessible, but its address is - // not available to us. but the SbieSvc GUI Proxy process - // is 64-bit so it can send us the address of the 64-bit PEB - // in the reply datagram - // - - if (Dll_IsWow64) { + if ((!_SetProcessWindowStation) || (!__sys_SetThreadDesktop)) + errlvl = 3; + else { // - // 64-bit PEB offset 0x20 -> RTL_USER_PROCESS_PARAMETERS - // RTL_USER_PROCESS_PARAMETERS offset 0xC0 is DesktopName + // set DesktopName in ProcessParms to point to our dummy + // window station so the initial default connection can + // be made to a workstation that is accessible // - ULONG ProcessParms64 = *(ULONG *)(rpl->peb64 + 0x20); - DesktopName64 = - (UNICODE_STRING64 *)(ProcessParms64 + 0xC0); - - memcpy(&SaveDesktopName64, - DesktopName64, sizeof(UNICODE_STRING64)); - - DesktopName64->Length = ProcessParms->DesktopName.Length; - DesktopName64->MaximumLength = - ProcessParms->DesktopName.MaximumLength; - DesktopName64->Buffer = - (ULONG)ProcessParms->DesktopName.Buffer; - } + UNICODE_STRING SaveDesktopName; +#ifndef _WIN64 + UNICODE_STRING64 SaveDesktopName64; + UNICODE_STRING64* DesktopName64; #endif ! _WIN64 - // - // note also that the default \Windows object directory - // (where the WindowStations object directory is located) - // grants access to Everyone, but this is not true for - // the per-session object directories \Sessions\N. - // - // our process token does not include the change notify - // privilege, so access to the window station object - // would have to validate each object directory in the - // path, and this would fail with our process token. - // - // to work around this, we issue a special request to - // SbieDrv through NtSetInformationThread which causes - // it to return with an impersonation token that includes - // the change notify privilege but is otherwise restricted - // - // see also: file core/drv/thread_token.c function - // Thread_SetInformationThread_ChangeNotifyToken - // + memcpy(&SaveDesktopName, &ProcessParms->DesktopName, + sizeof(UNICODE_STRING)); - rc = (ULONG_PTR)NtCurrentThread(); + RtlInitUnicodeString( + &ProcessParms->DesktopName, rpl->name); - // OriginalToken BEGIN - if (Dll_CompartmentMode || SbieApi_QueryConfBool(NULL, L"OriginalToken", FALSE)) - rc = 0; - else - // OriginalToken END - if (__sys_NtSetInformationThread) - { - rc = __sys_NtSetInformationThread(NtCurrentThread(), - ThreadImpersonationToken, &rc, sizeof(rc)); - } - else - { - rc = NtSetInformationThread(NtCurrentThread(), +#ifndef _WIN64 + // + // in a 32-bit process on 64-bit Windows, we actually need + // to change the DesktopName member in the 64-bit + // RTL_USER_PROCESS_PARAMETERS structure and not the + // 32-bit version of the structure. + // + // note that the 64-bit PEB will be in the lower 32-bits in + // a 32-bit process, so it is accessible, but its address is + // not available to us. but the SbieSvc GUI Proxy process + // is 64-bit so it can send us the address of the 64-bit PEB + // in the reply datagram + // + + if (Dll_IsWow64) { + + // + // 64-bit PEB offset 0x20 -> RTL_USER_PROCESS_PARAMETERS + // RTL_USER_PROCESS_PARAMETERS offset 0xC0 is DesktopName + // + + ULONG ProcessParms64 = *(ULONG*)(rpl->peb64 + 0x20); + DesktopName64 = + (UNICODE_STRING64*)(ProcessParms64 + 0xC0); + + memcpy(&SaveDesktopName64, + DesktopName64, sizeof(UNICODE_STRING64)); + + DesktopName64->Length = ProcessParms->DesktopName.Length; + DesktopName64->MaximumLength = + ProcessParms->DesktopName.MaximumLength; + DesktopName64->Buffer = + (ULONG)ProcessParms->DesktopName.Buffer; + } +#endif ! _WIN64 + + // + // note also that the default \Windows object directory + // (where the WindowStations object directory is located) + // grants access to Everyone, but this is not true for + // the per-session object directories \Sessions\N. + // + // our process token does not include the change notify + // privilege, so access to the window station object + // would have to validate each object directory in the + // path, and this would fail with our process token. + // + // to work around this, we issue a special request to + // SbieDrv through NtSetInformationThread which causes + // it to return with an impersonation token that includes + // the change notify privilege but is otherwise restricted + // + // see also: file core/drv/thread_token.c function + // Thread_SetInformationThread_ChangeNotifyToken + // + + rc = (ULONG_PTR)NtCurrentThread(); + + // OriginalToken BEGIN + if (Dll_CompartmentMode || SbieApi_QueryConfBool(NULL, L"OriginalToken", FALSE)) + rc = 0; + else + // OriginalToken END + if (__sys_NtSetInformationThread) + { + rc = __sys_NtSetInformationThread(NtCurrentThread(), ThreadImpersonationToken, &rc, sizeof(rc)); - } + } + else + { + rc = NtSetInformationThread(NtCurrentThread(), + ThreadImpersonationToken, &rc, sizeof(rc)); + } - if (rc != 0) - errlvl = 4; + Gui_Dummy_WinSta = _GetProcessWindowStation(); - // - // invoking SetProcessWindowStation will first connect - // to the default (dummy) window station as part of - // initial thread by PsConvertToGuiThread, then when - // control finally arrives in SetProcessWindowStation, - // the connection to the real window station is made - // + if (rc != 0) + errlvl = 4; - else if (! _SetProcessWindowStation( - (HWINSTA)rpl->hwinsta)) { - errlvl = 5; - rc = GetLastError(); + // + // invoking SetProcessWindowStation will first connect + // to the default (dummy) window station as part of + // initial thread by PsConvertToGuiThread, then when + // control finally arrives in SetProcessWindowStation, + // the connection to the real window station is made + // - } else - _ProcessDesktop = (HDESK)rpl->hdesk; + else if (!_SetProcessWindowStation( + (HWINSTA)rpl->hwinsta)) { + errlvl = 5; + rc = GetLastError(); - // - // restore the original contents of the DesktopName field - // + } + else + _ProcessDesktop = (HDESK)rpl->hdesk; - memcpy(&ProcessParms->DesktopName, &SaveDesktopName, - sizeof(UNICODE_STRING)); + // + // restore the original contents of the DesktopName field + // + + memcpy(&ProcessParms->DesktopName, &SaveDesktopName, + sizeof(UNICODE_STRING)); #ifndef _WIN64 - if (Dll_IsWow64) { - memcpy(DesktopName64, &SaveDesktopName64, - sizeof(UNICODE_STRING64)); - } + if (Dll_IsWow64) { + memcpy(DesktopName64, &SaveDesktopName64, + sizeof(UNICODE_STRING64)); + } #endif ! _WIN64 + } } Dll_Free(rpl); @@ -1128,7 +1142,7 @@ _FX BOOLEAN Gui_ConnectToWindowStationAndDesktop(HMODULE User32) ConnectThread: - if (errlvl == 0) { + if (errlvl == 0 && _ProcessDesktop != (HDESK)-1) { if (! __sys_SetThreadDesktop(_ProcessDesktop)) { errlvl = 6; diff --git a/Sandboxie/core/dll/gui_p.h b/Sandboxie/core/dll/gui_p.h index a3db5cbd..50244bba 100644 --- a/Sandboxie/core/dll/gui_p.h +++ b/Sandboxie/core/dll/gui_p.h @@ -436,6 +436,8 @@ typedef int (*P_LoadString)( typedef BOOL (*P_SetProcessWindowStation)(HWINSTA hWinSta); +typedef HWINSTA (*P_GetProcessWindowStation)(); + typedef HDC(*P_GetWindowDC)(HWND hWnd); typedef HDC(*P_GetDC)(HWND hWnd); diff --git a/Sandboxie/core/dll/guienum.c b/Sandboxie/core/dll/guienum.c index 152db2d5..b0e99a9d 100644 --- a/Sandboxie/core/dll/guienum.c +++ b/Sandboxie/core/dll/guienum.c @@ -234,6 +234,9 @@ _FX BOOLEAN Gui_InitEnum(HMODULE module) // hook desktop APIs // + if (SbieApi_QueryConfBool(NULL, L"OpenWndStation", FALSE)) + return TRUE; + SBIEDLL_HOOK_GUI(EnumDesktopsW); SBIEDLL_HOOK_GUI(EnumDesktopsA); SBIEDLL_HOOK_GUI(OpenDesktopW); @@ -592,9 +595,9 @@ _FX HANDLE Gui_CreateWindowStationW (void *lpwinsta, DWORD dwFlags, ACCESS_MASK if (myHandle) return myHandle; - extern HANDLE Sandboxie_WinSta; - if(Sandboxie_WinSta && (Config_GetSettingsForImageName_bool(L"UseSbieWndStation", TRUE) || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX))) - return Sandboxie_WinSta; + extern HANDLE Gui_Dummy_WinSta; + if(Gui_Dummy_WinSta && (Config_GetSettingsForImageName_bool(L"UseSbieWndStation", TRUE) || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX))) + return Gui_Dummy_WinSta; SbieApi_Log(2205, L"CreateWindowStation"); return 0; @@ -614,9 +617,9 @@ _FX HANDLE Gui_CreateWindowStationA (void *lpwinsta, DWORD dwFlags, ACCESS_MASK if (myHandle) return myHandle; - extern HANDLE Sandboxie_WinSta; - if(Sandboxie_WinSta && (Config_GetSettingsForImageName_bool(L"UseSbieWndStation", TRUE) || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX))) - return Sandboxie_WinSta; + extern HANDLE Gui_Dummy_WinSta; + if(Gui_Dummy_WinSta && (Config_GetSettingsForImageName_bool(L"UseSbieWndStation", TRUE) || (Dll_ImageType == DLL_IMAGE_GOOGLE_CHROME) || (Dll_ImageType == DLL_IMAGE_MOZILLA_FIREFOX))) + return Gui_Dummy_WinSta; SbieApi_Log(2205, L"CreateWindowStation"); return 0; diff --git a/Sandboxie/core/dll/guimisc.c b/Sandboxie/core/dll/guimisc.c index b42b34f4..f51b2f95 100644 --- a/Sandboxie/core/dll/guimisc.c +++ b/Sandboxie/core/dll/guimisc.c @@ -1330,10 +1330,13 @@ _FX LONG Gui_GetRawInputDeviceInfo_impl( GUI_GET_RAW_INPUT_DEVICE_INFO_REQ* req; GUI_GET_RAW_INPUT_DEVICE_INFO_RPL* rpl; - // Note: pcbSize seems to be in tchars not in bytes! ULONG lenData = 0; - if (pData && pcbSize) - lenData = (*pcbSize) * (bUnicode ? sizeof(WCHAR) : 1); + if (pData && pcbSize) { + lenData = *pcbSize; + if (uiCommand == RIDI_DEVICENAME && bUnicode) { + lenData *= sizeof(WCHAR); + } + } ULONG reqSize = sizeof(GUI_GET_RAW_INPUT_DEVICE_INFO_REQ) + lenData + 10; req = Dll_Alloc(reqSize); @@ -1344,12 +1347,17 @@ _FX LONG Gui_GetRawInputDeviceInfo_impl( req->hDevice = (ULONG64)hDevice; req->uiCommand = uiCommand; req->unicode = bUnicode; - if (lenData) { + req->hasData = !!pData; + + if (lenData) memcpy(reqData, pData, lenData); - req->hasData = TRUE; - } else - req->hasData = FALSE; - req->cbSize = pcbSize ? *pcbSize : -1; + + // GetRawInputDeviceInfoA accesses pcbSize without testing it for being not NULL + // hence if the caller passes NULL we use a dummy value so that we don't crash the helper service + if (pcbSize) + req->cbSize = *pcbSize; + else + req->cbSize = 0; rpl = Gui_CallProxy(req, reqSize, sizeof(*rpl)); @@ -1357,21 +1365,21 @@ _FX LONG Gui_GetRawInputDeviceInfo_impl( if (!rpl) return -1; - else { - ULONG error = rpl->error; - ULONG retval = rpl->retval; - if (pcbSize) - *pcbSize = rpl->cbSize; - if (lenData) { - LPVOID rplData = (BYTE*)rpl + sizeof(GUI_GET_RAW_INPUT_DEVICE_INFO_RPL); - memcpy(pData, rplData, lenData); - } + ULONG error = rpl->error; + ULONG retval = rpl->retval; - Dll_Free(rpl); - SetLastError(error); - return retval; + if (pcbSize) + *pcbSize = rpl->cbSize; + + if (lenData) { + LPVOID rplData = (BYTE*)rpl + sizeof(GUI_GET_RAW_INPUT_DEVICE_INFO_RPL); + memcpy(pData, rplData, lenData); } + + Dll_Free(rpl); + SetLastError(error); + return retval; } diff --git a/Sandboxie/core/dll/ipc.c b/Sandboxie/core/dll/ipc.c index e9b0876a..2e4b6ae6 100644 --- a/Sandboxie/core/dll/ipc.c +++ b/Sandboxie/core/dll/ipc.c @@ -4321,7 +4321,7 @@ _FX NTSTATUS Ipc_NtQueryDirectoryObject( ULONG len = sizeof(OBJECT_DIRECTORY_INFORMATION) + (cur->Name.MaximumLength + cur->TypeName.MaximumLength) * sizeof(WCHAR); - if (TotalLength + len > Length) + if (Buffer && TotalLength + len > Length) break; // not enough space for this entry CountToGo++; @@ -4331,6 +4331,15 @@ _FX NTSTATUS Ipc_NtQueryDirectoryObject( break; } + // + // probe case + // + + if (!Buffer) { + if (ReturnLength) *ReturnLength = TotalLength; + return STATUS_BUFFER_TOO_SMALL; + } + // // fill output buffer // diff --git a/Sandboxie/core/dll/net.c b/Sandboxie/core/dll/net.c index 4ab81845..e2de49c4 100644 --- a/Sandboxie/core/dll/net.c +++ b/Sandboxie/core/dll/net.c @@ -1415,7 +1415,7 @@ _FX BOOLEAN WSA_InitNetProxy() return FALSE; SCertInfo CertInfo = { 0 }; - if (!NT_SUCCESS(SbieApi_Call(API_QUERY_DRIVER_INFO, 3, -1, (ULONG_PTR)&CertInfo, sizeof(CertInfo))) || !CERT_IS_LEVEL(CertInfo, eCertAdvanced)) { + if (!NT_SUCCESS(SbieApi_QueryDrvInfo(-1, &CertInfo, sizeof(CertInfo))) || !CertInfo.opt_net) { const WCHAR* strings[] = { L"NetworkUseProxy" , NULL }; SbieApi_LogMsgExt(-1, 6009, strings); diff --git a/Sandboxie/core/dll/proc.c b/Sandboxie/core/dll/proc.c index e26eb7ad..621ef24b 100644 --- a/Sandboxie/core/dll/proc.c +++ b/Sandboxie/core/dll/proc.c @@ -908,7 +908,7 @@ _FX BOOL Proc_CreateProcessInternalW( // architecture which conflicts with our restricted process model // - if (Dll_ImageType == DLL_IMAGE_FLASH_PLAYER_SANDBOX || + if (//Dll_ImageType == DLL_IMAGE_FLASH_PLAYER_SANDBOX || Dll_ImageType == DLL_IMAGE_ACROBAT_READER || Dll_ImageType == DLL_IMAGE_PLUGIN_CONTAINER) hToken = NULL; @@ -1307,6 +1307,31 @@ _FX BOOL Proc_CreateProcessInternalW( } } } + + // + // Explorer does not use ShellExecuteExW, so for explorer we set BreakoutDocumentProcess=explorer.exe,y + // in the Templates.ini and check whenever explorer wants to start a process + // + + if (lpCommandLine && Config_GetSettingsForImageName_bool(L"BreakoutDocumentProcess", FALSE)) + { + const WCHAR* temp = lpCommandLine; + if (*temp == L'"') temp = wcschr(temp + 1, L'"'); + else temp = wcschr(temp, L' '); + if (temp) + { + while (*++temp == L' '); + + const WCHAR* arg1 = temp; + const WCHAR* arg1_end = NULL; + if (*arg1 == L'"') temp = wcschr(arg1 + 1, L'"'); + if (!arg1_end) arg1_end = wcschr(arg1, L'\0'); + + if (arg1 && arg1 != arg1_end && SH32_BreakoutDocument(arg1, (ULONG)(arg1_end - arg1))) + return TRUE; + } + } + #endif // diff --git a/Sandboxie/core/dll/sbieapi.c b/Sandboxie/core/dll/sbieapi.c index 18b85a18..2fdbeba1 100644 --- a/Sandboxie/core/dll/sbieapi.c +++ b/Sandboxie/core/dll/sbieapi.c @@ -1816,7 +1816,7 @@ _FX LONG SbieApi_GetUnmountHive( //--------------------------------------------------------------------------- -_FX LONG SbieApi_SessionLeader(HANDLE TokenHandle, HANDLE *ProcessId) +_FX LONG SbieApi_SessionLeader(ULONG session_id, HANDLE *ProcessId) { NTSTATUS status; __declspec(align(8)) ULONG64 ResultValue; @@ -1826,9 +1826,11 @@ _FX LONG SbieApi_SessionLeader(HANDLE TokenHandle, HANDLE *ProcessId) memset(parms, 0, sizeof(parms)); args->func_code = API_SESSION_LEADER; if (ProcessId) { - args->token_handle.val64 = (ULONG64)(ULONG_PTR)TokenHandle; + args->session_id.val64 = (ULONG64)(ULONG_PTR)session_id; + args->token_handle.val64 = 0; args->process_id.val64 = (ULONG64)(ULONG_PTR)&ResultValue; } else { + args->session_id.val64 = 0; args->token_handle.val64 = 0; args->process_id.val64 = 0; } diff --git a/Sandboxie/core/dll/sbieapi.h b/Sandboxie/core/dll/sbieapi.h index 9cf379ae..3311f8f8 100644 --- a/Sandboxie/core/dll/sbieapi.h +++ b/Sandboxie/core/dll/sbieapi.h @@ -190,7 +190,7 @@ LONG SbieApi_EnumProcessEx( SBIEAPI_EXPORT LONG SbieApi_SessionLeader( - HANDLE TokenHandle, + ULONG session_id, HANDLE *ProcessId); SBIEAPI_EXPORT diff --git a/Sandboxie/core/dll/sbiedll.h b/Sandboxie/core/dll/sbiedll.h index cec25867..5cda3b27 100644 --- a/Sandboxie/core/dll/sbiedll.h +++ b/Sandboxie/core/dll/sbiedll.h @@ -157,6 +157,9 @@ SBIEDLL_EXPORT ULONG SbieDll_QueueGetRpl( const WCHAR *QueueName, ULONG RequestId, void **out_DataPtr, ULONG *out_DataLen); +SBIEDLL_EXPORT void *SbieDll_CallProxySvr( + WCHAR *QueueName, void *req, ULONG req_len, ULONG rpl_min_len, DWORD timeout_sec); + SBIEDLL_EXPORT ULONG SbieDll_UpdateConf( WCHAR OpCode, const WCHAR *Password, const WCHAR *Section, const WCHAR *Setting, const WCHAR *Value); diff --git a/Sandboxie/core/dll/scm_create.c b/Sandboxie/core/dll/scm_create.c index 7a0ef3ce..9880e8e9 100644 --- a/Sandboxie/core/dll/scm_create.c +++ b/Sandboxie/core/dll/scm_create.c @@ -989,11 +989,11 @@ _FX ULONG Scm_StartBoxedService2(const WCHAR *name, SERVICE_QUERY_RPL *qrpl) _wcsicmp(name, _wuauserv) == 0 || _wcsicmp(name, Scm_CryptSvc) == 0) { - PROCESS_INFORMATION pi; + //PROCESS_INFORMATION pi; STARTUPINFO si; const WCHAR *ProcessName; - BOOLEAN use_sbiesvc = TRUE; + //BOOLEAN use_sbiesvc = TRUE; if (_wcsicmp(name, _bits) == 0) { ProcessName = SandboxieBITS; @@ -1004,11 +1004,11 @@ _FX ULONG Scm_StartBoxedService2(const WCHAR *name, SERVICE_QUERY_RPL *qrpl) } else if (_wcsicmp(name, Scm_CryptSvc) == 0) { ProcessName = SandboxieCrypto; - use_sbiesvc = FALSE; + //use_sbiesvc = FALSE; } else ProcessName = NULL; - if (! use_sbiesvc) { + /*if (! use_sbiesvc) { memzero(&si, sizeof(STARTUPINFO)); si.cb = sizeof(STARTUPINFO); @@ -1021,7 +1021,7 @@ _FX ULONG Scm_StartBoxedService2(const WCHAR *name, SERVICE_QUERY_RPL *qrpl) CloseHandle(pi.hProcess); return ERROR_SUCCESS; - } + }*/ si.lpReserved = NULL; if (SbieDll_RunFromHome(ProcessName, NULL, &si, NULL)) { diff --git a/Sandboxie/core/dll/secure.c b/Sandboxie/core/dll/secure.c index ec95269a..865328e4 100644 --- a/Sandboxie/core/dll/secure.c +++ b/Sandboxie/core/dll/secure.c @@ -231,6 +231,8 @@ BOOLEAN Secure_ShouldFakeRunningAsAdmin = FALSE; BOOLEAN Secure_IsInternetExplorerTabProcess = FALSE; BOOLEAN Secure_Is_IE_NtQueryInformationToken = FALSE; +BOOLEAN Secure_CopyACLs = FALSE; + BOOLEAN Secure_FakeAdmin = FALSE; static UCHAR AdministratorsSid[16] = { @@ -255,7 +257,20 @@ void Secure_InitSecurityDescriptors(void) PACL MyAcl; P_RtlAddMandatoryAce pRtlAddMandatoryAce; - + + static UCHAR SystemLogonSid[12] = { + 1, // Revision + 1, // SubAuthorityCount + 0,0,0,0,0,5, // SECURITY_NT_AUTHORITY // IdentifierAuthority + SECURITY_LOCAL_SYSTEM_RID,0,0,0 // SubAuthority + }; + static UCHAR AdministratorsSid[16] = { + 1, // Revision + 2, // SubAuthorityCount + 0,0,0,0,0,5, // SECURITY_NT_AUTHORITY // IdentifierAuthority + 0x20, 0, 0, 0, // SubAuthority 1 - SECURITY_BUILTIN_DOMAIN_RID + 0x20, 2, 0, 0 // SubAuthority 2 - DOMAIN_ALIAS_RID_ADMINS + }; static UCHAR AuthenticatedUsersSid[12] = { 1, // Revision 1, // SubAuthorityCount @@ -303,8 +318,15 @@ void Secure_InitSecurityDescriptors(void) // build Normal Security Descriptor used for files, keys, etc // - MyAllocAndInitACL(MyAcl, 256); - MyAddAccessAllowedAce(MyAcl, &AuthenticatedUsersSid); + if (SbieApi_QueryConfBool(NULL, L"LockBoxToUser", FALSE)) { + MyAllocAndInitACL(MyAcl, 512); + MyAddAccessAllowedAce(MyAcl, &SystemLogonSid); + MyAddAccessAllowedAce(MyAcl, &AdministratorsSid); + } + else { + MyAllocAndInitACL(MyAcl, 256); + MyAddAccessAllowedAce(MyAcl, &AuthenticatedUsersSid); + } if (Dll_SidString) { UserSid = Dll_SidStringToSid(Dll_SidString); @@ -411,6 +433,8 @@ _FX BOOLEAN Secure_Init(void) SBIEDLL_HOOK(Ldr_, RtlEqualSid); + Secure_CopyACLs = SbieApi_QueryConfBool(NULL, L"UseOriginalACLs", FALSE); + // // install hooks to fake administrator privileges // note: when running as the built in administrator we should always act as if we have admin rights @@ -734,7 +758,7 @@ _FX NTSTATUS Secure_NtDuplicateObject( // __sys_NtDuplicateObject( - SourceProcessHandle, SourceHandle, NULL, NULL, + SourceProcessHandle, SourceHandle, NULL, 0, DesiredAccess, HandleAttributes, DUPLICATE_CLOSE_SOURCE); } diff --git a/Sandboxie/core/dll/sh.c b/Sandboxie/core/dll/sh.c index ad3c08d8..bde40fb7 100644 --- a/Sandboxie/core/dll/sh.c +++ b/Sandboxie/core/dll/sh.c @@ -32,6 +32,7 @@ #include "common/my_shlwapi.h" #include "msgs/msgs.h" #include "gui_p.h" +#include "core/svc/UserWire.h" //--------------------------------------------------------------------------- // Functions @@ -49,6 +50,9 @@ static BOOL SH32_ShellExecuteExW(SHELLEXECUTEINFOW *lpExecInfo); static BOOL SH32_Shell_NotifyIconW( DWORD dwMessage, PNOTIFYICONDATAW lpData); +//static HRESULT SH32_SHGetFolderPathW( +// HWND hwnd, int csidl, HANDLE hToken, DWORD dwFlags, LPWSTR pszPath); + static WCHAR *SbieDll_AssocQueryCommandInternal( const WCHAR *subj, const WCHAR *verb); @@ -86,6 +90,9 @@ typedef BOOL (*P_ShellExecuteEx)( typedef BOOL (*P_Shell_NotifyIconW)( DWORD dwMessage, PNOTIFYICONDATAW lpData); +//typedef HRESULT (*P_SHGetFolderPathW)( +// HWND hwnd, int csidl, HANDLE hToken, DWORD dwFlags, LPWSTR pszPath); + typedef ULONG (*P_SHChangeNotifyRegister)( HWND hwnd, int fSources, LONG fEvents, UINT wMsg, int cEntries, SHChangeNotifyEntry *pfsne); @@ -112,6 +119,8 @@ static P_ShellExecuteEx __sys_ShellExecuteExW = NULL; static P_Shell_NotifyIconW __sys_Shell_NotifyIconW = NULL; +//static P_SHGetFolderPathW __sys_SHGetFolderPathW = NULL; + static P_SHChangeNotifyRegister __sys_SHChangeNotifyRegister = NULL; static P_SHOpenFolderAndSelectItems @@ -294,6 +303,54 @@ _FX WCHAR *SH32_AdjustPath(WCHAR *src, WCHAR **pArgs) } +//--------------------------------------------------------------------------- +// SH32_BreakoutDocument +//--------------------------------------------------------------------------- + + +_FX BOOL SH32_BreakoutDocument(const WCHAR* path, ULONG len) +{ + if (SbieDll_CheckPatternInList(path, len, NULL, L"BreakoutDocument")) { + + NTSTATUS status; + static WCHAR* _QueueName = NULL; + + if (!_QueueName) { + _QueueName = Dll_Alloc(32 * sizeof(WCHAR)); + Sbie_snwprintf(_QueueName, 32, L"*USERPROXY_%08X", Dll_SessionId); + } + + ULONG path_len = (len + 1) * sizeof(WCHAR); + ULONG req_len = sizeof(USER_SHELL_EXEC_REQ) + path_len; + ULONG path_pos = sizeof(USER_SHELL_EXEC_REQ); + + USER_SHELL_EXEC_REQ* req = (USER_SHELL_EXEC_REQ*)Dll_AllocTemp(req_len); + + WCHAR* path_buff = ((UCHAR*)req) + path_pos; + memcpy(path_buff, path, path_len); + + req->msgid = USER_SHELL_EXEC; + + req->FileNameOffset = path_pos; + + ULONG* rpl = SbieDll_CallProxySvr(_QueueName, req, req_len, sizeof(*rpl), 100); + if (!rpl) + status = STATUS_INTERNAL_ERROR; + else { + status = rpl[0]; + + Dll_Free(rpl); + } + + Dll_Free(req); + + return TRUE; + } + + return FALSE; +} + + //--------------------------------------------------------------------------- // SH32_ShellExecuteExW //--------------------------------------------------------------------------- @@ -310,6 +367,16 @@ _FX BOOL SH32_ShellExecuteExW(SHELLEXECUTEINFOW *lpExecInfo) ULONG err; BOOLEAN is_explore_verb; + // + // check if the request is to open a file located in a break out folder + // + + if (lpExecInfo->lpFile) { + + if (SH32_BreakoutDocument(lpExecInfo->lpFile, wcslen(lpExecInfo->lpFile))) + return TRUE; + } + // // check if the request is to open a directory // @@ -548,6 +615,18 @@ _FX BOOL SH32_Shell_NotifyIconW( } +//--------------------------------------------------------------------------- +// SH32_SHGetFolderPathW +//--------------------------------------------------------------------------- + + +//_FX HRESULT SH32_SHGetFolderPathW( +// HWND hwnd, int csidl, HANDLE hToken, DWORD dwFlags, LPWSTR pszPath) +//{ +// return __sys_SHGetFolderPathW(hwnd, csidl, hToken, dwFlags, pszPath); +//} + + //--------------------------------------------------------------------------- // SH32_SHChangeNotifyRegister //--------------------------------------------------------------------------- @@ -938,6 +1017,7 @@ _FX BOOLEAN SH32_Init(HMODULE module) { P_ShellExecuteEx ShellExecuteExW; P_Shell_NotifyIconW Shell_NotifyIconW; + //P_SHGetFolderPathW SHGetFolderPathW; P_SHChangeNotifyRegister SHChangeNotifyRegister; void *SHGetItemFromObject; P_SHOpenFolderAndSelectItems SHOpenFolderAndSelectItems; @@ -970,6 +1050,11 @@ _FX BOOLEAN SH32_Init(HMODULE module) SBIEDLL_HOOK(SH32_,Shell_NotifyIconW); + //SHGetFolderPathW = (P_SHGetFolderPathW) + // GetProcAddress(module, "SHGetFolderPathW"); + // + //SBIEDLL_HOOK(SH32_,SHGetFolderPathW); + if (SHChangeNotifyRegister && SHGetItemFromObject) { // diff --git a/Sandboxie/core/dll/sxs.c b/Sandboxie/core/dll/sxs.c index e95091b3..580922dd 100644 --- a/Sandboxie/core/dll/sxs.c +++ b/Sandboxie/core/dll/sxs.c @@ -1,6 +1,6 @@ /* * Copyright 2004-2020 Sandboxie Holdings, LLC - * Copyright 2020 David Xanatos, xanasoft.com + * Copyright 2020-2023 David Xanatos, xanasoft.com * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/Sandboxie/core/dll/trace.c b/Sandboxie/core/dll/trace.c index f4f07c55..94198c4d 100644 --- a/Sandboxie/core/dll/trace.c +++ b/Sandboxie/core/dll/trace.c @@ -597,6 +597,7 @@ const wchar_t* Trace_SbieSvcFunc2Str(ULONG func) case MSGID_QUEUE_PUTRPL: return L"MSGID_QUEUE_PUTRPL"; case MSGID_QUEUE_PUTREQ: return L"MSGID_QUEUE_PUTREQ"; case MSGID_QUEUE_GETRPL: return L"MSGID_QUEUE_GETRPL"; + case MSGID_QUEUE_STARTUP: return L"MSGID_QUEUE_STARTUP"; case MSGID_QUEUE_NOTIFICATION: return L"MSGID_QUEUE_NOTIFICATION"; case MSGID_EPMAPPER_GET_PORT_NAME: return L"MSGID_EPMAPPER_GET_PORT_NAME"; diff --git a/Sandboxie/core/drv/api.c b/Sandboxie/core/drv/api.c index 67eca661..8a220032 100644 --- a/Sandboxie/core/drv/api.c +++ b/Sandboxie/core/drv/api.c @@ -1333,15 +1333,21 @@ _FX NTSTATUS Api_QueryDriverInfo(PROCESS* proc, ULONG64* parms) FeatureFlags |= SBIE_FEATURE_FLAG_WIN32K_HOOK; #endif - if (CERT_IS_LEVEL(Verify_CertInfo, eCertStandard)) { - + if (Verify_CertInfo.active) FeatureFlags |= SBIE_FEATURE_FLAG_CERTIFIED; + if (Verify_CertInfo.opt_sec) { FeatureFlags |= SBIE_FEATURE_FLAG_SECURITY_MODE; FeatureFlags |= SBIE_FEATURE_FLAG_PRIVACY_MODE; FeatureFlags |= SBIE_FEATURE_FLAG_COMPARTMENTS; } + if (Verify_CertInfo.opt_enc) + FeatureFlags |= SBIE_FEATURE_FLAG_ENCRYPTION; + + if (Verify_CertInfo.opt_net) + FeatureFlags |= SBIE_FEATURE_FLAG_NET_PROXY; + if (Dyndata_Active) { FeatureFlags |= SBIE_FEATURE_FLAG_DYNDATA_OK; diff --git a/Sandboxie/core/drv/api_defs.h b/Sandboxie/core/drv/api_defs.h index 425608ff..83bfd93c 100644 --- a/Sandboxie/core/drv/api_defs.h +++ b/Sandboxie/core/drv/api_defs.h @@ -410,6 +410,7 @@ API_ARGS_CLOSE(API_OPEN_DEVICE_MAP_ARGS) API_ARGS_BEGIN(API_SESSION_LEADER_ARGS) API_ARGS_FIELD(HANDLE,token_handle) API_ARGS_FIELD(ULONG64 *,process_id) +API_ARGS_FIELD(ULONG,session_id) API_ARGS_CLOSE(API_SESSION_LEADER_ARGS) diff --git a/Sandboxie/core/drv/api_flags.h b/Sandboxie/core/drv/api_flags.h index 13b2ce7b..7f3fd35a 100644 --- a/Sandboxie/core/drv/api_flags.h +++ b/Sandboxie/core/drv/api_flags.h @@ -131,6 +131,8 @@ #define SBIE_FEATURE_FLAG_SBIE_LOGIN 0x00000010 #define SBIE_FEATURE_FLAG_WIN32K_HOOK 0x00000020 #define SBIE_FEATURE_FLAG_SECURITY_MODE 0x00000040 +#define SBIE_FEATURE_FLAG_ENCRYPTION 0x00000080 +#define SBIE_FEATURE_FLAG_NET_PROXY 0x00000100 #define SBIE_FEATURE_FLAG_DYNDATA_OK 0x10000000 #define SBIE_FEATURE_FLAG_DYNDATA_EXP 0x20000000 diff --git a/Sandboxie/core/drv/driver.c b/Sandboxie/core/drv/driver.c index 6d2b087b..61bd0e79 100644 --- a/Sandboxie/core/drv/driver.c +++ b/Sandboxie/core/drv/driver.c @@ -690,32 +690,6 @@ void* Driver_FindMissingService(const char* ProcName, int prmcnt) _FX BOOLEAN Driver_FindMissingServices(void) { -#ifdef OLD_DDK - UNICODE_STRING uni; - RtlInitUnicodeString(&uni, L"ZwSetInformationToken"); - - // - // Windows 7 kernel exports ZwSetInformationToken - // on earlier versions of Windows, we search for it - // -//#ifndef _WIN64 - if (Driver_OsVersion < DRIVER_WINDOWS_7) { - - ZwSetInformationToken = (P_NtSetInformationToken) Driver_FindMissingService("ZwSetInformationToken", 4); - - } else -//#endif - { - ZwSetInformationToken = (P_NtSetInformationToken) MmGetSystemRoutineAddress(&uni); - } - - if (!ZwSetInformationToken) { - Log_Msg1(MSG_1108, uni.Buffer); - return FALSE; - } -#endif - - // // Retrieve some unexported kernel functions which may be useful // @@ -773,6 +747,31 @@ _FX BOOLEAN Driver_FindMissingServices(void) #endif +#ifdef OLD_DDK + UNICODE_STRING uni; + RtlInitUnicodeString(&uni, L"ZwSetInformationToken"); + + // + // Windows 7 kernel exports ZwSetInformationToken + // on earlier versions of Windows, we search for it + // +//#ifndef _WIN64 + if (Driver_OsVersion < DRIVER_WINDOWS_7) { + + ZwSetInformationToken = (P_NtSetInformationToken) Driver_FindMissingService("ZwSetInformationToken", 4); + + } else +//#endif + { + ZwSetInformationToken = (P_NtSetInformationToken) MmGetSystemRoutineAddress(&uni); + } + + if (!ZwSetInformationToken) { + Log_Msg1(MSG_1108, uni.Buffer); + return FALSE; + } +#endif + return TRUE; } diff --git a/Sandboxie/core/drv/dyn_data.c b/Sandboxie/core/drv/dyn_data.c index dd9f0d98..20833a33 100644 --- a/Sandboxie/core/drv/dyn_data.c +++ b/Sandboxie/core/drv/dyn_data.c @@ -34,7 +34,7 @@ const wchar_t Parameters[] = L"\\Parameters"; #define IMAGE_FILE_MACHINE_ARM64 0xAA64 // ARM64 Little-Endian #endif -#define WIN11_LATEST 27686 // <----- +#define WIN11_LATEST 27729 // <----- #define SVR2025 26040 #define WIN11_FIRST 22000 #define SVR2022 20348 diff --git a/Sandboxie/core/drv/process.c b/Sandboxie/core/drv/process.c index c036fd88..ca07dd8d 100644 --- a/Sandboxie/core/drv/process.c +++ b/Sandboxie/core/drv/process.c @@ -789,7 +789,7 @@ _FX PROCESS *Process_Create( // check certificate // - if (!CERT_IS_LEVEL(Verify_CertInfo, eCertStandard) && !proc->image_sbie) { + if (!Verify_CertInfo.opt_sec && !proc->image_sbie) { const WCHAR* exclusive_setting = NULL; if (proc->use_security_mode) @@ -820,7 +820,7 @@ _FX PROCESS *Process_Create( } } - if (!CERT_IS_LEVEL(Verify_CertInfo, eCertStandard2) && !proc->image_sbie) { + if (!Verify_CertInfo.opt_enc && !proc->image_sbie) { const WCHAR* exclusive_setting = NULL; if (proc->confidential_box) @@ -1270,7 +1270,7 @@ _FX BOOLEAN Process_NotifyProcess_Create( BOX* breakout_box = NULL; if (box && Process_IsBreakoutProcess(box, ImagePath)) { - if(!CERT_IS_LEVEL(Verify_CertInfo, eCertStandard)) + if(!Verify_CertInfo.active) Log_Msg_Process(MSG_6004, box->name, L"BreakoutProcess", box->session_id, CallerId); else { UNICODE_STRING image_uni; diff --git a/Sandboxie/core/drv/process_force.c b/Sandboxie/core/drv/process_force.c index 5220fa0a..fad79906 100644 --- a/Sandboxie/core/drv/process_force.c +++ b/Sandboxie/core/drv/process_force.c @@ -168,9 +168,9 @@ _FX BOX *Process_GetForcedStartBox( BOOLEAN same_image_name; - void* nbuf; - ULONG nlen; - WCHAR* ParentName; + void* nbuf = NULL; + ULONG nlen = 0; + WCHAR* ParentName = NULL; check_force = TRUE; @@ -221,8 +221,15 @@ _FX BOX *Process_GetForcedStartBox( return NULL; } - Process_GetProcessName( - Driver_Pool, (ULONG_PTR)ParentId, &nbuf, &nlen, &ParentName); + // + // initialize ParentName but only if the parent is not a system process + // + + if (!MyIsProcessRunningAsSystemAccount(ParentId)) { + + Process_GetProcessName( + Driver_Pool, (ULONG_PTR)ParentId, &nbuf, &nlen, &ParentName); + } // // initialize some more state before checking process diff --git a/Sandboxie/core/drv/session.c b/Sandboxie/core/drv/session.c index aedca89a..6e51a69e 100644 --- a/Sandboxie/core/drv/session.c +++ b/Sandboxie/core/drv/session.c @@ -362,19 +362,22 @@ _FX NTSTATUS Session_Api_Leader(PROCESS *proc, ULONG64 *parms) // get leader // - HANDLE TokenHandle = args->token_handle.val; + ULONG session_id = args->session_id.val; - ULONG SessionId; - ULONG len = sizeof(ULONG); + if (session_id == -1) { - status = ZwQueryInformationToken( - TokenHandle, TokenSessionId, &SessionId, len, &len); + HANDLE TokenHandle = args->token_handle.val; + + ULONG len = sizeof(session_id); + status = ZwQueryInformationToken( + TokenHandle, TokenSessionId, &session_id, len, &len); + } if (NT_SUCCESS(status)) { __try { - session = Session_Get(FALSE, SessionId, &irql); + session = Session_Get(FALSE, session_id, &irql); if (session) ProcessIdToReturn = (ULONG64)session->leader_pid; diff --git a/Sandboxie/core/drv/token.c b/Sandboxie/core/drv/token.c index 93822db9..38b03837 100644 --- a/Sandboxie/core/drv/token.c +++ b/Sandboxie/core/drv/token.c @@ -1290,6 +1290,7 @@ _FX NTSTATUS Token_RestrictHelper2( return STATUS_SUCCESS; BOOLEAN NoUntrustedToken = Conf_Get_Boolean(proc->box->name, L"NoUntrustedToken", 0, FALSE); + BOOLEAN OpenWndStation = Conf_Get_Boolean(proc->box->name, L"OpenWndStation", 0, FALSE); label = (ULONG)(ULONG_PTR)Token_Query( TokenObject, TokenIntegrityLevel, proc->box->session_id); @@ -1316,7 +1317,7 @@ _FX NTSTATUS Token_RestrictHelper2( LabelSid[1] = 0x10000000; // debug tip. You can change the sandboxed process's integrity level below //LabelSid[2] = SECURITY_MANDATORY_HIGH_RID; - if(NoUntrustedToken) + if(NoUntrustedToken || OpenWndStation) LabelSid[2] = SECURITY_MANDATORY_LOW_RID; else LabelSid[2] = SECURITY_MANDATORY_UNTRUSTED_RID; @@ -1392,6 +1393,7 @@ _FX void *Token_RestrictHelper3( BOOLEAN KeepUserGroup = Conf_Get_Boolean(proc->box->name, L"KeepUserGroup", 0, FALSE); BOOLEAN KeepLogonSession = Conf_Get_Boolean(proc->box->name, L"KeepLogonSession", 0, FALSE); + BOOLEAN OpenWndStation = Conf_Get_Boolean(proc->box->name, L"OpenWndStation", 0, FALSE); n = 0; @@ -1400,7 +1402,7 @@ _FX void *Token_RestrictHelper3( if (Groups->Groups[i].Attributes & SE_GROUP_INTEGRITY) continue; - if (KeepLogonSession && (Groups->Groups[i].Attributes & SE_GROUP_LOGON_ID)) + if ((KeepLogonSession || OpenWndStation) && (Groups->Groups[i].Attributes & SE_GROUP_LOGON_ID)) continue; if (RtlEqualSid(Groups->Groups[i].Sid, UserSid)) { @@ -2250,6 +2252,7 @@ _FX void* Token_CreateToken(void* TokenObject, PROCESS* proc) if (!Conf_Get_Boolean(proc->box->name, L"UnstrippedToken", 0, FALSE)) { BOOLEAN NoUntrustedToken = Conf_Get_Boolean(proc->box->name, L"NoUntrustedToken", 0, FALSE); + BOOLEAN OpenWndStation = Conf_Get_Boolean(proc->box->name, L"OpenWndStation", 0, FALSE); BOOLEAN KeepUserGroup = Conf_Get_Boolean(proc->box->name, L"KeepUserGroup", 0, FALSE); BOOLEAN KeepLogonSession = Conf_Get_Boolean(proc->box->name, L"KeepLogonSession", 0, FALSE); @@ -2257,7 +2260,7 @@ _FX void* Token_CreateToken(void* TokenObject, PROCESS* proc) if (LocalGroups->Groups[i].Attributes & SE_GROUP_INTEGRITY) { if (!Conf_Get_Boolean(proc->box->name, L"KeepTokenIntegrity", 0, FALSE)) { - if(NoUntrustedToken) + if(NoUntrustedToken || OpenWndStation) *RtlSubAuthoritySid(LocalGroups->Groups[i].Sid, 0) = SECURITY_MANDATORY_LOW_RID; else *RtlSubAuthoritySid(LocalGroups->Groups[i].Sid, 0) = SECURITY_MANDATORY_UNTRUSTED_RID; diff --git a/Sandboxie/core/drv/verify.c b/Sandboxie/core/drv/verify.c index 4c22314c..33cbec48 100644 --- a/Sandboxie/core/drv/verify.c +++ b/Sandboxie/core/drv/verify.c @@ -676,7 +676,13 @@ _FX NTSTATUS KphValidateCertificate() // Note: when parsing we may change the value of value, by adding \0's, hence we do all that after the hashing // - if (_wcsicmp(L"DATE", name) == 0 && cert_date.QuadPart == 0) { + if(CertDbg) DbgPrint("Cert Value: %S: %S\n", name, value); + + if (_wcsicmp(L"DATE", name) == 0) { + if (cert_date.QuadPart != 0) { + status = STATUS_BAD_FUNCTION_TABLE; + goto CleanupExit; + } // DD.MM.YYYY if (KphParseDate(value, &cert_date)) { // DD.MM.YYYY +Days @@ -686,24 +692,44 @@ _FX NTSTATUS KphValidateCertificate() } } else if (_wcsicmp(L"DAYS", name) == 0) { + if (days != 0) { + status = STATUS_BAD_FUNCTION_TABLE; + goto CleanupExit; + } days = _wtol(value); } - else if (_wcsicmp(L"TYPE", name) == 0 && type == NULL) { + else if (_wcsicmp(L"TYPE", name) == 0) { // TYPE-LEVEL + if (type != NULL) { + status = STATUS_BAD_FUNCTION_TABLE; + goto CleanupExit; + } WCHAR* ptr = wcschr(value, L'-'); if (ptr != NULL) { *ptr++ = L'\0'; - if(level == NULL) level = Mem_AllocString(Driver_Pool, ptr); + level = Mem_AllocString(Driver_Pool, ptr); } type = Mem_AllocString(Driver_Pool, value); } - else if (_wcsicmp(L"LEVEL", name) == 0 && level == NULL) { + else if (_wcsicmp(L"LEVEL", name) == 0) { + if (level != NULL) { + status = STATUS_BAD_FUNCTION_TABLE; + goto CleanupExit; + } level = Mem_AllocString(Driver_Pool, value); } - else if (_wcsicmp(L"OPTIONS", name) == 0 && options == NULL) { + else if (_wcsicmp(L"OPTIONS", name) == 0) { + if (options != NULL) { + status = STATUS_BAD_FUNCTION_TABLE; + goto CleanupExit; + } options = Mem_AllocString(Driver_Pool, value); } - else if (_wcsicmp(L"UPDATEKEY", name) == 0 && key == NULL) { + else if (_wcsicmp(L"UPDATEKEY", name) == 0) { + if (key != NULL) { + status = STATUS_BAD_FUNCTION_TABLE; + goto CleanupExit; + } key = Mem_AllocString(Driver_Pool, value); } else if (_wcsicmp(L"AMOUNT", name) == 0) { @@ -726,7 +752,6 @@ _FX NTSTATUS KphValidateCertificate() next: status = Conf_Read_Line(stream, line, &line_num); } - if(!NT_SUCCESS(status = MyFinishHash(&hashObj, &hash, &hashSize))) goto CleanupExit; diff --git a/Sandboxie/core/drv/verify.h b/Sandboxie/core/drv/verify.h index b7cc9517..62c49697 100644 --- a/Sandboxie/core/drv/verify.h +++ b/Sandboxie/core/drv/verify.h @@ -37,13 +37,13 @@ typedef union _SCertInfo { opt_desk : 1, // Isolated Sandboxie Desktops: "UseSandboxDesktop" opt_net : 1, // Advanced Network features: "NetworkDnsFilter", "NetworkUseProxy". opt_enc : 1, // Box Encryption and Box Protection: "ConfidentialBox", "UseFileImage", "EnableEFS". - opt_sec : 1; // Variouse security enchanced box types: "UseSecurityMode", "SysCallLockDown", "RestrictDevices", "UseRuleSpecificity", "UsePrivacyMode", "ProtectHostImages", - // as well as reduced isoaltion box type: "NoSecurityIsolation". + opt_sec : 1; // Various security enhanced box types: "UseSecurityMode", "SysCallLockDown", "RestrictDevices", "UseRuleSpecificity", "UsePrivacyMode", "ProtectHostImages", + // as well as reduced isolation box type: "NoSecurityIsolation". // Other features, available with any cert: "UseRamDisk", "ForceUsbDrives", // as well as Automatic Updates, etc.... - unsigned long expirers_in_sec; + long expirers_in_sec; }; } SCertInfo; @@ -95,7 +95,7 @@ enum ECertLevel { #define CERT_IS_TYPE(cert,t) ((cert.type & 0b11100) == (unsigned long)(t)) #define CERT_IS_SUBSCRIPTION(cert) (CERT_IS_TYPE(cert, eCertBusiness) || CERT_IS_TYPE(cert, eCertHome) || cert.type == eCertEntryPatreon || CERT_IS_TYPE(cert, eCertEvaluation)) #define CERT_IS_INSIDER(cert) (CERT_IS_TYPE(cert, eCertEternal) || cert.type == eCertGreatPatreon) -#define CERT_IS_LEVEL(cert,l) (cert.active && cert.level >= (unsigned long)(l)) +//#define CERT_IS_LEVEL(cert,l) (cert.active && cert.level >= (unsigned long)(l)) #ifdef KERNEL_MODE extern SCertInfo Verify_CertInfo; diff --git a/Sandboxie/core/svc/DriverAssistInject.cpp b/Sandboxie/core/svc/DriverAssistInject.cpp index ca854a70..4cf276dd 100644 --- a/Sandboxie/core/svc/DriverAssistInject.cpp +++ b/Sandboxie/core/svc/DriverAssistInject.cpp @@ -133,7 +133,7 @@ void DriverAssist::InjectLow(void *_msg) // // NoSbieDesk BEGIN - if (!CompartmentMode && !SbieApi_QueryConfBool(boxname, L"NoSandboxieDesktop", FALSE)) + if (!(CompartmentMode || SbieApi_QueryConfBool(boxname, L"NoSandboxieDesktop", FALSE))) // NoSbieDesk END if (!msg->bHostInject) { diff --git a/Sandboxie/core/svc/EpMapperServer.cpp b/Sandboxie/core/svc/EpMapperServer.cpp index 51968025..09b31c6d 100644 --- a/Sandboxie/core/svc/EpMapperServer.cpp +++ b/Sandboxie/core/svc/EpMapperServer.cpp @@ -28,6 +28,7 @@ #include "common/defines.h" #include "core/drv/api_defs.h" #include +#include #include "common/str_util.h" //--------------------------------------------------------------------------- @@ -232,13 +233,28 @@ MSG_HEADER *EpMapperServer::EpmapperGetPortNameHandler(MSG_HEADER *msg) std::vector FilterIDs; - for (int i = 0; SbieDll_GetStringsForStringList(req->wszPortId, boxname, L"RpcPortFilter", i, buf, sizeof(buf)); i++) + // + // Note: Open[Name]Endpoint Settings allow to disable the message id filter for any given endpoint, + // available options: OpenWPADEndpoint, OpenLsaEndpoint*, OpenSamEndpoint* + // * implemented in driver + // + + if(!SbieApi_QueryConfBool(boxname, (std::wstring(L"Open") + req->wszPortId + L"Endpoint").c_str(), FALSE)) { - WCHAR* test_value = NULL; - ULONG test_len = 0; - if (SbieDll_GetTagValue(buf, NULL, (const WCHAR**)&test_value, &test_len, L',')) { - test_value[test_len] = L'\0'; - FilterIDs.push_back((UCHAR)_wtoi(test_value)); + // + // For security reasons the setting RpcPortFilter=[Name],[message_id],[function_name] + // allows to filter individual message_id's by the driver, + // function_name is only provided for reference and not currently used. + // + + for (int i = 0; SbieDll_GetStringsForStringList(req->wszPortId, boxname, L"RpcPortFilter", i, buf, sizeof(buf)); i++) + { + WCHAR* test_value = NULL; + ULONG test_len = 0; + if (SbieDll_GetTagValue(buf, NULL, (const WCHAR**)&test_value, &test_len, L',')) { + test_value[test_len] = L'\0'; + FilterIDs.push_back((UCHAR)_wtoi(test_value)); + } } } diff --git a/Sandboxie/core/svc/GuiServer.cpp b/Sandboxie/core/svc/GuiServer.cpp index 2dbc787c..c82f467d 100644 --- a/Sandboxie/core/svc/GuiServer.cpp +++ b/Sandboxie/core/svc/GuiServer.cpp @@ -3532,26 +3532,28 @@ ULONG GuiServer::GetRawInputDeviceInfoSlave(SlaveArgs *args) return STATUS_INFO_LENGTH_MISMATCH; LPVOID reqData = req->hasData ? (BYTE*)req + sizeof(GUI_GET_RAW_INPUT_DEVICE_INFO_REQ) : NULL; - PUINT pcbSize = NULL; - if (req->cbSize != -1) - pcbSize = &req->cbSize; + + ULONG lenData = 0; + if (reqData && req->cbSize > 0) { + lenData = req->cbSize; + if (req->uiCommand == RIDI_DEVICENAME && req->unicode) { + lenData *= sizeof(WCHAR); + } + } SetLastError(ERROR_SUCCESS); if (req->unicode) { - rpl->retval = GetRawInputDeviceInfoW((HANDLE)req->hDevice, req->uiCommand, reqData, pcbSize); + rpl->retval = GetRawInputDeviceInfoW((HANDLE)req->hDevice, req->uiCommand, reqData, &req->cbSize); } else { - rpl->retval = GetRawInputDeviceInfoA((HANDLE)req->hDevice, req->uiCommand, reqData, pcbSize); + rpl->retval = GetRawInputDeviceInfoA((HANDLE)req->hDevice, req->uiCommand, reqData, &req->cbSize); } rpl->error = GetLastError(); rpl->cbSize = req->cbSize; - if (pcbSize && req->hasData) - { - // Note: pcbSize seems to be in tchars not in bytes! - ULONG lenData = (*pcbSize) * (req->unicode ? sizeof(WCHAR) : 1); - rpl->hasData = TRUE; + if (lenData) { + rpl->hasData = TRUE; LPVOID rplData = (BYTE*)rpl + sizeof(GUI_GET_RAW_INPUT_DEVICE_INFO_RPL); memcpy(rplData, reqData, lenData); } @@ -4668,3 +4670,50 @@ ULONG GuiServer::KillJob(SlaveArgs* args) return STATUS_SUCCESS; } + + +//--------------------------------------------------------------------------- +// StartAsync +//--------------------------------------------------------------------------- + +struct SStartupParam +{ + ULONG session_id; + HANDLE hEvent; +}; + +ULONG GuiServer__StartupWorker(void* _Param) +{ + SStartupParam* pParam = (SStartupParam*)_Param; + + // + // thart the proxy process + // + + GuiServer::GetInstance()->StartSlave(pParam->session_id); + + // + // notify the requesting party that the server is now up and running + // + + SetEvent(pParam->hEvent); + + HeapFree(GetProcessHeap(), HEAP_GENERATE_EXCEPTIONS, pParam); + return 0; +} + +ULONG GuiServer::StartAsync(ULONG session_id, HANDLE hEvent) +{ + SStartupParam* pParam = (SStartupParam*)HeapAlloc(GetProcessHeap(), 0, sizeof(SStartupParam)); + pParam->session_id = session_id; + pParam->hEvent = hEvent; + + HANDLE hThread = CreateThread(NULL, 0, GuiServer__StartupWorker, (void *)pParam, 0, NULL); + if (!hThread) { + HeapFree(GetProcessHeap(), HEAP_GENERATE_EXCEPTIONS, pParam); + return STATUS_UNSUCCESSFUL; + } + CloseHandle(hThread); + return STATUS_SUCCESS; +} + diff --git a/Sandboxie/core/svc/GuiServer.h b/Sandboxie/core/svc/GuiServer.h index 49993d23..0b1fbc41 100644 --- a/Sandboxie/core/svc/GuiServer.h +++ b/Sandboxie/core/svc/GuiServer.h @@ -34,6 +34,8 @@ public: static GuiServer *GetInstance(); + ULONG StartAsync(ULONG session_id, HANDLE hEvent); + bool InitProcess(HANDLE hProcess, ULONG process_id, ULONG session_id, BOOLEAN add_to_job); diff --git a/Sandboxie/core/svc/MountManager.cpp b/Sandboxie/core/svc/MountManager.cpp index ae59a790..34c65e8f 100644 --- a/Sandboxie/core/svc/MountManager.cpp +++ b/Sandboxie/core/svc/MountManager.cpp @@ -997,7 +997,7 @@ bool MountManager::AcquireBoxRoot(const WCHAR* boxname, const WCHAR* reg_root, c std::wstring TargetNtPath; SCertInfo CertInfo = { 0 }; - if ((UseFileImage || UseRamDisk) && (!NT_SUCCESS(SbieApi_Call(API_QUERY_DRIVER_INFO, 3, -1, (ULONG_PTR)&CertInfo, sizeof(CertInfo))) || !CERT_IS_LEVEL(CertInfo, (UseFileImage ? eCertAdvanced1 : eCertStandard)))) { + if ((UseFileImage || UseRamDisk) && (!NT_SUCCESS(SbieApi_QueryDrvInfo(-1, &CertInfo, sizeof(CertInfo))) || !(UseFileImage ? CertInfo.opt_enc : CertInfo.active))) { const WCHAR* strings[] = { boxname, UseFileImage ? L"UseFileImage" : L"UseRamDisk" , NULL }; SbieApi_LogMsgExt(session_id, UseFileImage ? 6009 : 6008, strings); errlvl = 0x66; diff --git a/Sandboxie/core/svc/ProcessServer.cpp b/Sandboxie/core/svc/ProcessServer.cpp index e66bf0ed..dc6b8dfe 100644 --- a/Sandboxie/core/svc/ProcessServer.cpp +++ b/Sandboxie/core/svc/ProcessServer.cpp @@ -855,20 +855,35 @@ HANDLE ProcessServer::RunSandboxedGetToken( if (CallerInSandbox) { - if ((wcscmp(cmd, L"*RPCSS*") == 0 /* || wcscmp(cmd, L"*DCOM*") == 0 */) - && ProcessServer__RunRpcssAsSystem(boxname, CompartmentMode)) { + if ((wcscmp(cmd, L"*RPCSS*") == 0 /* || wcscmp(cmd, L"*DCOM*") == 0 */)) { - // - // use our system token - // + if (ProcessServer__RunRpcssAsSystem(boxname, CompartmentMode)) { + + // + // use our system token + // + + ok = OpenProcessToken( + GetCurrentProcess(), TOKEN_RIGHTS, &OldTokenHandle); + + ShouldAdjustDacl = true; + } + else { + + // + // use the session token + // + + ULONG SessionId = PipeServer::GetCallerSessionId(); + + ok = WTSQueryUserToken(SessionId, &OldTokenHandle); + + ShouldAdjustSessionId = false; + } - ok = OpenProcessToken( - GetCurrentProcess(), TOKEN_RIGHTS, &OldTokenHandle); if (! ok) return NULL; - ShouldAdjustDacl = true; - } else // OriginalToken BEGIN diff --git a/Sandboxie/core/svc/SboxSvc.vcxproj b/Sandboxie/core/svc/SboxSvc.vcxproj index db50e587..a31cccb3 100644 --- a/Sandboxie/core/svc/SboxSvc.vcxproj +++ b/Sandboxie/core/svc/SboxSvc.vcxproj @@ -541,6 +541,7 @@ Create + @@ -628,6 +629,8 @@ + + diff --git a/Sandboxie/core/svc/SboxSvc.vcxproj.filters b/Sandboxie/core/svc/SboxSvc.vcxproj.filters index 2c220903..28949932 100644 --- a/Sandboxie/core/svc/SboxSvc.vcxproj.filters +++ b/Sandboxie/core/svc/SboxSvc.vcxproj.filters @@ -78,6 +78,9 @@ DriverAssist + + UserProxy + MountManager @@ -156,6 +159,12 @@ common + + UserProxy + + + UserProxy + MountManager @@ -182,6 +191,9 @@ {64abb84f-3356-45fc-a1ee-bbce8eaa90cd} + + {692bb770-d67d-4095-9339-f6117d62a9a3} + {4c490d1f-52cb-4e6b-be53-6b120e0d271a} diff --git a/Sandboxie/core/svc/UserServer.cpp b/Sandboxie/core/svc/UserServer.cpp new file mode 100644 index 00000000..1ca39208 --- /dev/null +++ b/Sandboxie/core/svc/UserServer.cpp @@ -0,0 +1,908 @@ +/* + * Copyright 2022 David Xanatos, xanasoft.com + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation, either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +//--------------------------------------------------------------------------- +// User Proxy Server +//--------------------------------------------------------------------------- + +#include "stdafx.h" + +#include "PipeServer.h" +#include "UserServer.h" +#include "QueueWire.h" +#include "UserWire.h" +#include "core/dll/sbiedll.h" +#include "core/drv/api_defs.h" +#include "common/my_version.h" +#include +#include +#include +#include +#include +#include "misc.h" +#include "core/drv/verify.h" + +#define PATTERN XPATTERN +extern "C" { +#include "common/pattern.h" +} // extern "C" + + +//--------------------------------------------------------------------------- +// Defines +//--------------------------------------------------------------------------- + + +#define MAX_RPL_BUF_SIZE 32768 + + +//--------------------------------------------------------------------------- +// Structures and Types +//--------------------------------------------------------------------------- + + +typedef struct _USER_WORKER { + + LIST_ELEM list_elem; + + HANDLE hProcess; + + ULONG session_id; + +} USER_WORKER; + + +//--------------------------------------------------------------------------- +// Variables +//--------------------------------------------------------------------------- + + +//--------------------------------------------------------------------------- +// Constructor +//--------------------------------------------------------------------------- + + +UserServer::UserServer() +{ + InitializeCriticalSection(&m_WorkersLock); + List_Init(&m_WorkersList); + m_QueueEvent = CreateEvent(NULL, FALSE, FALSE, NULL); + + // worker data + m_QueueName = NULL; + m_ParentPid = 0; + m_SessionId = 0; +} + +UserServer::~UserServer() +{ + // cleanup CS + DeleteCriticalSection(&m_WorkersLock); +} + + +//--------------------------------------------------------------------------- +// UserServer +//--------------------------------------------------------------------------- + + +UserServer *UserServer::GetInstance() +{ + static UserServer *_instance = NULL; + if (! _instance) + _instance = new UserServer(); + return _instance; +} + + +//--------------------------------------------------------------------------- +// StartWorker +//--------------------------------------------------------------------------- + +volatile HANDLE UserServer__hParentProcess = NULL; + +_FX VOID UserServer__APC(ULONG_PTR hParent) +{ + UserServer__hParentProcess = (HANDLE)hParent; +} + +ULONG UserServer::StartWorker(ULONG session_id) +{ + const ULONG TOKEN_RIGHTS = TOKEN_QUERY | TOKEN_DUPLICATE + | TOKEN_ADJUST_DEFAULT | TOKEN_ADJUST_SESSIONID + | TOKEN_ADJUST_GROUPS | TOKEN_ASSIGN_PRIMARY; + HANDLE hOldToken = NULL; + HANDLE hNewToken = NULL; + ULONG status; + BOOL ok = TRUE; + + // + // terminate an existing worker process that stopped functioning + // + + USER_WORKER *worker = (USER_WORKER *)List_Head(&m_WorkersList); + while (worker) { + + USER_WORKER *worker_next = (USER_WORKER *)List_Next(worker); + + if (worker->session_id == session_id) { + + TerminateProcess(worker->hProcess, 1); + CloseHandle(worker->hProcess); + + List_Remove(&m_WorkersList, worker); + HeapFree(GetProcessHeap(), HEAP_GENERATE_EXCEPTIONS, worker); + } + + worker = worker_next; + } + + // + // build the command line for the User Worker Proxy Server Process + // + + WCHAR EventName[96]; + + WCHAR *cmdline = (WCHAR *)HeapAlloc( + GetProcessHeap(), 0, 768 * sizeof(WCHAR)); + if (! cmdline) + return STATUS_INSUFFICIENT_RESOURCES; + + cmdline[0] = L'\"'; + status = SbieApi_GetHomePath(NULL, 0, &cmdline[1], 512); + if (status != 0) + ok = FALSE; + else { + + WCHAR *cmdptr = cmdline + wcslen(cmdline); + wcscpy(cmdptr, L"\\" SBIESVC_EXE L"\" "); + cmdptr += wcslen(cmdptr); + wsprintf(cmdptr, L"%s_UserProxy_%08X,%d", + SANDBOXIE, session_id, GetCurrentProcessId()); + + wcscpy(EventName, L"Global\\"); + wcscat(EventName, cmdptr); + } + + // + // use the users security token for the worker + // + + if (ok) { + //ok = OpenProcessToken(GetCurrentProcess(), TOKEN_RIGHTS, &hOldToken); + ok = WTSQueryUserToken(session_id, &hOldToken); + if (! ok) + status = 0x72000000 | GetLastError(); + } + + if (ok) { + ok = DuplicateTokenEx( + hOldToken, TOKEN_RIGHTS, NULL, SecurityAnonymous, + TokenPrimary, &hNewToken); + if (! ok) + status = 0x73000000 | GetLastError(); + } + + //if (ok) { + // ok = SetTokenInformation( + // hNewToken, TokenSessionId, &session_id, sizeof(ULONG)); + // if (! ok) + // status = 0x74000000 | GetLastError(); + //} + + // + // create an event object for the new User Worker process + // the user process needs to be able to set this event + // so set the appropriate security descriptor + // + + SECURITY_DESCRIPTOR sd; + InitializeSecurityDescriptor(&sd, SECURITY_DESCRIPTOR_REVISION); + SetSecurityDescriptorDacl(&sd, TRUE, NULL, FALSE); + + SECURITY_ATTRIBUTES sa = {0}; + sa.nLength = sizeof(sa); + sa.bInheritHandle = FALSE; + sa.lpSecurityDescriptor = &sd; + + HANDLE EventHandle = CreateEvent(&sa, TRUE, FALSE, EventName); + if (EventHandle) + ResetEvent(EventHandle); + else { + status = 0x75000000 | GetLastError(); + ok = FALSE; + } + + // + // create the new process + // + + if (ok) { + + STARTUPINFO si; + PROCESS_INFORMATION pi; + + memzero(&si, sizeof(STARTUPINFO)); + si.cb = sizeof(STARTUPINFO); + si.dwFlags = STARTF_FORCEOFFFEEDBACK; + si.lpDesktop = L"WinSta0\\Default"; + + ok = CreateProcessAsUser( + hNewToken, NULL, cmdline, NULL, NULL, FALSE, + ABOVE_NORMAL_PRIORITY_CLASS, NULL, NULL, &si, &pi); + if (! ok) + status = 0x76000000 | GetLastError(); + else { + + // + // wait for the new process to signal the event + // + + HANDLE WaitHandles[2]; + WaitHandles[0] = EventHandle; + WaitHandles[1] = pi.hProcess; + + status = WaitForMultipleObjects(2, WaitHandles, FALSE, 15 * 1000); + if (status != WAIT_OBJECT_0) { + status = 0x77000000 | status; + ok = FALSE; + + } else { + + // + // create a new worker process element + // + + worker = (USER_WORKER *)HeapAlloc( + GetProcessHeap(), 0, sizeof(USER_WORKER)); + if (! worker) { + + status = STATUS_INSUFFICIENT_RESOURCES; + ok = FALSE; + + } else { + + worker->session_id = session_id; + worker->hProcess = pi.hProcess; + + List_Insert_After(&m_WorkersList, NULL, worker); + + status = 0; + } + } + + // + // since the worker is running as user it can't open this service process, even for SYNCHRONIZE only + // hence we duplicate the required token and use APC to pass it to our new worker. + // + + HANDLE hThis; + if(NT_SUCCESS(DuplicateHandle(NtCurrentProcess(), NtCurrentProcess(), pi.hProcess, &hThis, SYNCHRONIZE, FALSE, 0))) + QueueUserAPC(UserServer__APC, pi.hThread, (ULONG_PTR)hThis); + + CloseHandle(pi.hThread); + if (! ok) + CloseHandle(pi.hProcess); + } + } + + if (EventHandle) + CloseHandle(EventHandle); + if (hNewToken) + CloseHandle(hNewToken); + if (hOldToken) + CloseHandle(hOldToken); + HeapFree(GetProcessHeap(), HEAP_GENERATE_EXCEPTIONS, cmdline); + + return status; +} + + +//--------------------------------------------------------------------------- +// StartAsync +//--------------------------------------------------------------------------- + +struct SStartupParam +{ + ULONG session_id; + HANDLE hEvent; +}; + +ULONG UserServer__StartupWorker(void* _Param) +{ + SStartupParam* pParam = (SStartupParam*)_Param; + + // + // thart the proxy process + // + + UserServer::GetInstance()->StartWorker(pParam->session_id); + + // + // notify the requesting party that the server is now up and running + // + + SetEvent(pParam->hEvent); + + HeapFree(GetProcessHeap(), HEAP_GENERATE_EXCEPTIONS, pParam); + return 0; +} + +ULONG UserServer::StartAsync(ULONG session_id, HANDLE hEvent) +{ + SStartupParam* pParam = (SStartupParam*)HeapAlloc(GetProcessHeap(), 0, sizeof(SStartupParam)); + pParam->session_id = session_id; + pParam->hEvent = hEvent; + + HANDLE hThread = CreateThread(NULL, 0, UserServer__StartupWorker, (void *)pParam, 0, NULL); + if (!hThread) { + HeapFree(GetProcessHeap(), HEAP_GENERATE_EXCEPTIONS, pParam); + return STATUS_UNSUCCESSFUL; + } + CloseHandle(hThread); + return STATUS_SUCCESS; +} + + +//--------------------------------------------------------------------------- +// ReportError2336 +//--------------------------------------------------------------------------- + + +void UserServer::ReportError2336(ULONG session_id, ULONG errlvl, ULONG status) +{ + SbieApi_LogEx(session_id, 2336, L"[%02X / %08X]", errlvl, status); +} + + +//--------------------------------------------------------------------------- +// +// Worker Process +// +//--------------------------------------------------------------------------- + + +typedef struct USER_JOB { + + LIST_ELEM list_elem; + HANDLE handle; + +} USER_JOB; + + +//--------------------------------------------------------------------------- +// RunWorker +//--------------------------------------------------------------------------- + + +void UserServer::RunWorker(const WCHAR *cmdline) +{ + // + // select between a normal SbieSVC User Worker + // + + UserServer *pThis = GetInstance(); + + // + // get process id for parent (which should be the main SbieSvc process) + // + + NTSTATUS status; + ULONG len; + PROCESS_BASIC_INFORMATION info; + + status = NtQueryInformationProcess( + NtCurrentProcess(), ProcessBasicInformation, + &info, sizeof(PROCESS_BASIC_INFORMATION), &len); + + if (! NT_SUCCESS(status)) + return; + + pThis->m_ParentPid = (ULONG)info.InheritedFromUniqueProcessId; + if (! pThis->m_ParentPid) + return; + + // + // create message queue and process incoming requests + // + + if (! pThis->CreateQueueWorker(cmdline)) + return; + + // + // exit when parent dies + // + + while (UserServer__hParentProcess == NULL) + SleepEx(10, TRUE); // be in a waitable state for he APC's + + //HANDLE hParentProcess = + // OpenProcess(SYNCHRONIZE, FALSE, pThis->m_ParentPid); + //if (! hParentProcess) + // hParentProcess = NtCurrentProcess(); + status = WaitForSingleObject(UserServer__hParentProcess, INFINITE); + if (status == WAIT_OBJECT_0) + ExitProcess(0); +} + + +//--------------------------------------------------------------------------- +// CreateQueueWorker +//--------------------------------------------------------------------------- + + +bool UserServer::CreateQueueWorker(const WCHAR *cmdline) +{ + // + // create a queue with the queue manager + // + + WCHAR *ptr = (WCHAR*)wcsstr(cmdline, L"_UserProxy"); + if (! ptr) + return false; + ULONG len = (wcslen(ptr) + 1) * sizeof(WCHAR); + m_QueueName = (WCHAR *)HeapAlloc(GetProcessHeap(), 0, len); + memcpy(m_QueueName, ptr, len); + *m_QueueName = L'*'; + _wcsupr(m_QueueName); + + m_SessionId = wcstol(m_QueueName + 11, &ptr, 16); + if (*ptr != L',') + return false; + *ptr = L'\0'; // terminate queue name + + m_ParentPid = wcstol(ptr + 1, &ptr, 10); + if (*ptr != L'\0') + return false; + + ULONG status = SbieDll_QueueCreate(m_QueueName, &m_QueueEvent); + if (status != 0) + return false; + + // + // signal the event object + // + + WCHAR EventName[96]; + wcscpy(EventName, L"Global\\"); + wcscat(EventName, cmdline); + HANDLE EventHandle = OpenEvent(EVENT_MODIFY_STATE, FALSE, EventName); + if (EventHandle) { + SetEvent(EventHandle); + CloseHandle(EventHandle); + } + + // + // prepare the dispatch table for incoming requests + // + + const ULONG m_WorkerFuncs_len = + sizeof(WorkerFunc) * (USER_MAX_REQUEST_CODE + 4); + m_WorkerFuncs = (WorkerFunc *) + HeapAlloc(GetProcessHeap(), 0, m_WorkerFuncs_len); + memzero(m_WorkerFuncs, m_WorkerFuncs_len); + + m_WorkerFuncs[USER_OPEN_FILE] = &UserServer::OpenFile; + m_WorkerFuncs[USER_SHELL_EXEC] = &UserServer::OpenDocument; + + + + // + // register a worker thread to process incoming queue requests + // + + HANDLE WaitHandle; + if (! RegisterWaitForSingleObject(&WaitHandle, m_QueueEvent, + QueueCallbackWorker, (void *)this, + INFINITE, WT_EXECUTEDEFAULT)) + return false; + + return true; +} + + +//--------------------------------------------------------------------------- +// QueueCallbackWorker +//--------------------------------------------------------------------------- + + +void UserServer::QueueCallbackWorker(void *arg, BOOLEAN timeout) +{ + UserServer *pThis = (UserServer *)arg; + while (1) { + bool check_for_more_requests = pThis->QueueCallbackWorker2(); + if (! check_for_more_requests) + break; + } +} + + +//--------------------------------------------------------------------------- +// QueueCallbackWorker2 +//--------------------------------------------------------------------------- + + +bool UserServer::QueueCallbackWorker2(void) +{ + // + // get next request + // + // note that STATUS_END_OF_FILE here indicates there are no more requests + // in the queue at this time and we should go resume waiting on the event + // + + WorkerArgs args; + ULONG request_id; + ULONG data_len; + ULONG rpl_len; + void *data_ptr; + ULONG rpl_buf[MAX_RPL_BUF_SIZE / sizeof(ULONG)]; + + ULONG status = SbieDll_QueueGetReq(m_QueueName, &args.pid, NULL, + &request_id, &data_ptr, &data_len); + if (status != 0) { + if (status != STATUS_END_OF_FILE) + ReportError2336(-1, 0x81, status); + return false; + } + + // + // process request + // + + status = STATUS_INVALID_SYSTEM_SERVICE; + rpl_len = sizeof(ULONG); + + ULONG msgid = *(ULONG *)data_ptr; + + if (msgid < USER_MAX_REQUEST_CODE) { + + WorkerFunc WorkerFuncPtr = m_WorkerFuncs[msgid]; + if (WorkerFuncPtr) { + + bool issue_request = true; + + // + // issue request + // + + if (issue_request) { + + args.req_len = data_len; + args.req_buf = data_ptr; + args.rpl_len = rpl_len; + args.rpl_buf = rpl_buf; + + status = (this->*WorkerFuncPtr)(&args); + if (status == 0) + rpl_len = args.rpl_len; + } + } + } + + // + // send reply + // + // note that STATUS_END_OF_FILE here indicates the calling process is no + // longer there, in which case we still return true to process any other + // requests from other processes which may be in the queue + // + + *rpl_buf = status; + status = SbieDll_QueuePutRpl( + m_QueueName, request_id, rpl_buf, rpl_len); + + SbieDll_FreeMem(data_ptr); + + if (status != 0 && status != STATUS_END_OF_FILE) { + ReportError2336(-1, 0x82, status); + return false; + } + + return true; +} + + +//--------------------------------------------------------------------------- +// OpenFile +//--------------------------------------------------------------------------- + + +ULONG UserServer::OpenFile(WorkerArgs *args) +{ + USER_OPEN_FILE_REQ *req = (USER_OPEN_FILE_REQ *)args->req_buf; + USER_OPEN_FILE_RPL *rpl = (USER_OPEN_FILE_RPL *)args->rpl_buf; + + if (args->req_len < sizeof(USER_OPEN_FILE_REQ)) + return STATUS_INFO_LENGTH_MISMATCH; + + WCHAR* path_buff = (WCHAR*)(((UCHAR*)req) + req->FileNameOffset); + + // + // check if the caller belongs to our session + // + + ULONG session_id; + WCHAR boxname[BOXNAME_COUNT]; + if (!NT_SUCCESS(SbieApi_QueryProcess((HANDLE)(ULONG_PTR)args->pid, boxname, NULL, NULL, &session_id)) + || session_id != m_SessionId + || !SbieApi_QueryConfBool(boxname, L"EnableEFS", FALSE)) { + + return STATUS_ACCESS_DENIED; + } + + SCertInfo CertInfo = { 0 }; + if (!NT_SUCCESS(SbieApi_QueryDrvInfo(-1, &CertInfo, sizeof(CertInfo))) || !CertInfo.opt_enc) { + const WCHAR* strings[] = { boxname, L"EnableEFS", NULL }; + SbieApi_LogMsgExt(session_id, 6004, strings); + return STATUS_ACCESS_DENIED; + } + + // + // check if operation is permitted, it must be for a file on a disk + // and the file access rules must allow for the access + // + + if(_wcsnicmp(path_buff, L"\\Device\\HarddiskVolume", 22) != 0) + return STATUS_ACCESS_DENIED; + + BOOL write_access = FALSE; + +#define FILE_DENIED_ACCESS ~( \ + STANDARD_RIGHTS_READ | GENERIC_READ | SYNCHRONIZE | READ_CONTROL | \ + FILE_READ_DATA | FILE_READ_EA | FILE_READ_ATTRIBUTES | FILE_EXECUTE) + + if (req->DesiredAccess & FILE_DENIED_ACCESS) + write_access = TRUE; + + if (req->CreateDisposition != FILE_OPEN) + write_access = TRUE; + + if (req->CreateOptions & FILE_DELETE_ON_CLOSE) + write_access = TRUE; + +#undef FILE_DENIED_ACCESS + + POOL *pool; +#ifdef USE_MATCH_PATH_EX + LIST *normal_list, *open_list, *closed_list, *write_list, *read_list; +#else + LIST *open_list, *closed_list, *write_list; +#endif + + if (!NT_SUCCESS(GetProcessPathList('fo', args->pid, (void **)&pool, &open_list)) + || !NT_SUCCESS(GetProcessPathList('fc', args->pid, (void **)&pool, &closed_list)) + || !NT_SUCCESS(GetProcessPathList('fr', args->pid, (void **)&pool, &write_list)) +#ifdef USE_MATCH_PATH_EX + || !NT_SUCCESS(GetProcessPathList('fn', args->pid, (void **)&pool, &normal_list)) + || !NT_SUCCESS(GetProcessPathList('fw', args->pid, (void **)&pool, &read_list)) +#endif + ) + return STATUS_INTERNAL_ERROR; + +#ifdef USE_MATCH_PATH_EX + ULONG64 Dll_ProcessFlags = SbieApi_QueryProcessInfo((HANDLE)args->pid, 0); + + BOOLEAN use_rule_specificity = (Dll_ProcessFlags & SBIE_FLAG_RULE_SPECIFICITY) != 0; + //BOOLEAN use_privacy_mode = (Dll_ProcessFlags & SBIE_FLAG_PRIVACY_MODE) != 0; + + //ULONG mp_flags = SbieDll_MatchPathImpl(use_rule_specificity, use_privacy_mode, path_buff, normal_list, open_list, closed_list, write_list, read_list); + ULONG mp_flags = SbieDll_MatchPathImpl(use_rule_specificity, path_buff, normal_list, open_list, closed_list, write_list, read_list); +#else + ULONG mp_flags = SbieDll_MatchPathImpl(path_buff, open_list, closed_list, write_list); +#endif + + Pool_Delete(pool); + + if(write_access && (!PATH_IS_OPEN(mp_flags) || PATH_IS_READ(mp_flags))) + return STATUS_ACCESS_DENIED; + if(PATH_IS_CLOSED(mp_flags) || PATH_IS_WRITE(mp_flags)) + return STATUS_ACCESS_DENIED; + + // + // open the file on behalf of the caller + // + + OBJECT_ATTRIBUTES objattrs; + UNICODE_STRING objname; + InitializeObjectAttributes( + &objattrs, &objname, OBJ_CASE_INSENSITIVE, NULL, NULL); + + RtlInitUnicodeString(&objname, path_buff); + + LARGE_INTEGER AllocSize; + AllocSize.QuadPart = req->AllocationSize; + + void* pEaBuff = NULL; + if (req->EaBufferOffset != 0) + pEaBuff = ((UCHAR*)req) + req->EaBufferOffset; + + HANDLE hFile; + IO_STATUS_BLOCK IoStatusBlock; + rpl->error = NtCreateFile(&hFile, req->DesiredAccess, &objattrs, &IoStatusBlock, AllocSize.QuadPart != 0 ? &AllocSize : NULL, + req->FileAttributes, req->ShareAccess, req->CreateDisposition, req->CreateOptions, pEaBuff, req->EaLength); + rpl->Status = IoStatusBlock.Status; + rpl->Information = IoStatusBlock.Information; + + if (NT_SUCCESS(rpl->error)) { + + // + // duplicate the handle into the calling process, and close our own + // + + HANDLE hProcess = OpenProcess(PROCESS_DUP_HANDLE, FALSE, args->pid); + if (hProcess) { + DuplicateHandle(NtCurrentProcess(), hFile, hProcess, (HANDLE*)&rpl->FileHandle, req->DesiredAccess, FALSE, 0); + CloseHandle(hProcess); + } + else + rpl->error = STATUS_UNSUCCESSFUL; + + NtClose(hFile); + } + + args->rpl_len = sizeof(USER_OPEN_FILE_RPL); + return STATUS_SUCCESS; +} + + +//--------------------------------------------------------------------------- +// OpenFile +//--------------------------------------------------------------------------- + + +ULONG UserServer::OpenDocument(WorkerArgs *args) +{ + USER_SHELL_EXEC_REQ *req = (USER_SHELL_EXEC_REQ *)args->req_buf; + + if (args->req_len < sizeof(USER_SHELL_EXEC_REQ)) + return STATUS_INFO_LENGTH_MISMATCH; + + WCHAR* path_buff = (WCHAR*)(((UCHAR*)req) + req->FileNameOffset); + + // + // check if the caller belongs to our session + // + + ULONG session_id; + WCHAR boxname[BOXNAME_COUNT]; + if (!NT_SUCCESS(SbieApi_QueryProcess((HANDLE)(ULONG_PTR)args->pid, boxname, NULL, NULL, &session_id)) + || session_id != m_SessionId) { + + return STATUS_ACCESS_DENIED; + } + + // + // check the BreakoutDocument list and execute if ok + // + + if (SbieDll_CheckPatternInList(path_buff, (ULONG)wcslen(path_buff), boxname, L"BreakoutDocument")) { + + SHELLEXECUTEINFO shex; + memzero(&shex, sizeof(SHELLEXECUTEINFO)); + shex.cbSize = sizeof(SHELLEXECUTEINFO); + shex.fMask = 0; + shex.hwnd = NULL; + shex.lpVerb = L"open"; + shex.lpFile = path_buff; + shex.lpParameters = NULL; + shex.lpDirectory = NULL; + shex.nShow = SW_SHOWNORMAL; + shex.hInstApp = NULL; + + typedef BOOL (*P_ShellExecuteEx)(void *); + HMODULE shell32 = LoadLibrary(L"shell32.dll"); + P_ShellExecuteEx pShellExecuteEx = (P_ShellExecuteEx)GetProcAddress(shell32, "ShellExecuteExW"); + if (!pShellExecuteEx) + return STATUS_ENTRYPOINT_NOT_FOUND; + + if (pShellExecuteEx(&shex)) + return STATUS_SUCCESS; + return STATUS_UNSUCCESSFUL; + } + + return STATUS_ACCESS_DENIED; +} + + +//--------------------------------------------------------------------------- +// GetProcessPathList +//--------------------------------------------------------------------------- + + +ULONG UserServer::GetProcessPathList(ULONG path_code, + ULONG pid, void **out_pool, LIST **out_list) +{ + const HANDLE xpid = (HANDLE)(ULONG_PTR)pid; + + ULONG len; + LONG status = SbieApi_QueryPathList(path_code, &len, NULL, xpid, TRUE); + if (status != 0) + return status; + + status = STATUS_INSUFFICIENT_RESOURCES; + + POOL *pool = Pool_Create(); + if (! pool) + return status; + + WCHAR *path = (WCHAR *)Pool_Alloc(pool, len); + LIST *list = (LIST *)Pool_Alloc(pool, sizeof(LIST)); + + if (path && list) + status = SbieApi_QueryPathList(path_code, NULL, path, xpid, TRUE); + + if (status != STATUS_SUCCESS) { + Pool_Delete(pool); + return status; + } + + List_Init(list); + while (*((ULONG*)path) != -1) { + ULONG level = *((ULONG*)path); + path += sizeof(ULONG)/sizeof(WCHAR); + PATTERN *pattern = Pattern_Create(pool, path, TRUE, level); + if (! pattern) { + Pool_Delete(pool); + return status; + } + List_Insert_After(list, NULL, pattern); + path += wcslen(path) + 1; + } + + *out_pool = pool; + *out_list = list; + + return STATUS_SUCCESS; +} + + +//--------------------------------------------------------------------------- +// CheckProcessPathList +//--------------------------------------------------------------------------- + + +//bool UserServer::CheckProcessPathList(LIST *list, const WCHAR *string) +//{ +// BOOLEAN ret = FALSE; +// +// ULONG length = wcslen(string); +// ULONG path_len = (length + 1) * sizeof(WCHAR); +// WCHAR* path_lwr = (WCHAR*)HeapAlloc(GetProcessHeap(), 0, path_len); +// if (!path_lwr) { +// SbieApi_Log(2305, NULL); +// goto finish; +// } +// memcpy(path_lwr, string, path_len); +// path_lwr[length] = L'\0'; +// _wcslwr(path_lwr); +// +// PATTERN *pat = (PATTERN *)List_Head(list); +// while (pat) { +// if (Pattern_Match(pat, path_lwr, length)) { +// ret = TRUE; +// goto finish; +// } +// pat = (PATTERN *)List_Next(pat); +// } +// +//finish: +// HeapFree(GetProcessHeap(), HEAP_GENERATE_EXCEPTIONS, path_lwr); +// +// return ret; +//} + diff --git a/Sandboxie/core/svc/UserServer.h b/Sandboxie/core/svc/UserServer.h new file mode 100644 index 00000000..8777e06d --- /dev/null +++ b/Sandboxie/core/svc/UserServer.h @@ -0,0 +1,102 @@ +/* + * Copyright 2022-2023 David Xanatos, xanasoft.com + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation, either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +//--------------------------------------------------------------------------- +// User Proxy Server +//--------------------------------------------------------------------------- + + +#ifndef _MY_USERSERVER_H +#define _MY_USERSERVER_H + + +#include "common/list.h" + + +class UserServer +{ + +public: + + static UserServer *GetInstance(); + + static void RunWorker(const WCHAR *cmdline); + + ULONG StartWorker(ULONG session_id); + + ULONG StartAsync(ULONG session_id, HANDLE hEvent); + +protected: + + UserServer(); + + ~UserServer(); + + static void ReportError2336( + ULONG session_id, ULONG errlvl, ULONG status); + +protected: + + bool CreateQueueWorker(const WCHAR *cmdline); + + static void QueueCallbackWorker(void *arg, BOOLEAN timeout); + + bool QueueCallbackWorker2(void); + +protected: + + struct WorkerArgs { + ULONG pid; + ULONG req_len; + ULONG rpl_len; + void *req_buf; + void *rpl_buf; + }; + typedef ULONG (UserServer::*WorkerFunc)(WorkerArgs *args); + WorkerFunc *m_WorkerFuncs; + + ULONG OpenFile(WorkerArgs *args); + + ULONG OpenDocument(WorkerArgs *args); + + // + // access check utilities + // + + ULONG GetProcessPathList(ULONG path_code, + ULONG pid, void **out_pool, LIST **out_list); + + //bool CheckProcessPathList(LIST *list, const WCHAR *str); + + // + // data + // + +protected: + + CRITICAL_SECTION m_WorkersLock; + LIST m_WorkersList; + HANDLE m_QueueEvent; + + WCHAR *m_QueueName; + ULONG m_ParentPid; + ULONG m_SessionId; + +}; + + +#endif /* _MY_USERSERVER_H */ diff --git a/Sandboxie/core/svc/UserWire.h b/Sandboxie/core/svc/UserWire.h new file mode 100644 index 00000000..a6da32a3 --- /dev/null +++ b/Sandboxie/core/svc/UserWire.h @@ -0,0 +1,99 @@ +/* + * Copyright 2022-2023 David Xanatos, xanasoft.com + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation, either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +//--------------------------------------------------------------------------- +// USER Proxy Server +//--------------------------------------------------------------------------- + + +#ifndef _MY_USERWIRE_H +#define _MY_USERWIRE_H + + +//--------------------------------------------------------------------------- +// Defines +//--------------------------------------------------------------------------- + + +enum { + + USER_OPEN_FILE = 1, + USER_SHELL_EXEC, + USER_MAX_REQUEST_CODE +}; + + +//--------------------------------------------------------------------------- +// Open File +//--------------------------------------------------------------------------- + + +struct tagUSER_OPEN_FILE_REQ +{ + ULONG msgid; + + ACCESS_MASK DesiredAccess; + ULONG FileNameOffset; + //ULONG FileNameSize; + ULONG64 AllocationSize; + ULONG FileAttributes; + ULONG ShareAccess; + ULONG CreateDisposition; + ULONG CreateOptions; + ULONG EaBufferOffset; + ULONG EaLength; +}; + +struct tagUSER_OPEN_FILE_RPL +{ + ULONG status; + ULONG error; + ULONG64 FileHandle; + NTSTATUS Status; + ULONG64 Information; +}; + +typedef struct tagUSER_OPEN_FILE_REQ USER_OPEN_FILE_REQ; +typedef struct tagUSER_OPEN_FILE_RPL USER_OPEN_FILE_RPL; + + +//--------------------------------------------------------------------------- +// Shell Execute +//--------------------------------------------------------------------------- + + +struct tagUSER_SHELL_EXEC_REQ +{ + ULONG msgid; + + ULONG FileNameOffset; +}; + + +//struct tagUSER_SHELL_EXEC_RPL +//{ +// ULONG status; +// ULONG error; +//}; + +typedef struct tagUSER_SHELL_EXEC_REQ USER_SHELL_EXEC_REQ; +//typedef struct tagUSER_SHELL_EXEC_RPL USER_SHELL_EXEC_RPL; + +//--------------------------------------------------------------------------- + + +#endif /* _MY_USERWIRE_H */ diff --git a/Sandboxie/core/svc/main.cpp b/Sandboxie/core/svc/main.cpp index 9fecc714..815fc9ca 100644 --- a/Sandboxie/core/svc/main.cpp +++ b/Sandboxie/core/svc/main.cpp @@ -26,6 +26,7 @@ #include "DriverAssist.h" #include "PipeServer.h" #include "GuiServer.h" +#include "UserServer.h" #include "ProcessServer.h" #include "sbieiniserver.h" #include "serviceserver.h" @@ -128,6 +129,12 @@ int WinMain( return NO_ERROR; } + WCHAR *cmdline6 = wcsstr(cmdline, SANDBOXIE L"_UserProxy"); + if (cmdline6) { + UserServer::RunWorker(cmdline6); + return NO_ERROR; + } + } if (! StartServiceCtrlDispatcher(myServiceTable)) diff --git a/Sandboxie/core/svc/msgids.h b/Sandboxie/core/svc/msgids.h index 1cc16131..918f68c8 100644 --- a/Sandboxie/core/svc/msgids.h +++ b/Sandboxie/core/svc/msgids.h @@ -143,6 +143,7 @@ #define MSGID_QUEUE_PUTRPL 0x1E03 #define MSGID_QUEUE_PUTREQ 0x1E04 #define MSGID_QUEUE_GETRPL 0x1E05 +#define MSGID_QUEUE_STARTUP 0x1E10 #define MSGID_QUEUE_NOTIFICATION 0x1EFF #define MSGID_EPMAPPER 0x1F00 diff --git a/Sandboxie/core/svc/queueserver.cpp b/Sandboxie/core/svc/queueserver.cpp index aaa0e01e..c4771a9c 100644 --- a/Sandboxie/core/svc/queueserver.cpp +++ b/Sandboxie/core/svc/queueserver.cpp @@ -24,6 +24,8 @@ #include "queueserver.h" #include "queuewire.h" #include "core/dll/sbieapi.h" +#include "userserver.h" +#include "GuiServer.h" //--------------------------------------------------------------------------- @@ -111,6 +113,10 @@ MSG_HEADER *QueueServer::Handler(void *_this, MSG_HEADER *msg) HANDLE idProcess = (HANDLE)(ULONG_PTR)PipeServer::GetCallerProcessId(); + if (msg->msgid == MSGID_QUEUE_STARTUP) { + return pThis->StartupHandler(msg, idProcess); + } + if (msg->msgid == MSGID_QUEUE_NOTIFICATION) { pThis->NotifyHandler(idProcess); return NULL; @@ -952,3 +958,89 @@ void QueueServer::DeleteRequestObj(LIST *RequestsList, void *_RequestObj) List_Remove(RequestsList, RequestObj); HeapFree(m_heap, 0, RequestObj); } + + +//--------------------------------------------------------------------------- +// StartupHandler +//--------------------------------------------------------------------------- + + +MSG_HEADER *QueueServer::StartupHandler(MSG_HEADER *msg, HANDLE idProcess) +{ + WCHAR *QueueName = NULL; + HANDLE hProcess = NULL; + HANDLE hEvent = NULL; + ULONG status; + + EnterCriticalSection(&m_lock); + + QUEUE_CREATE_REQ *req = (QUEUE_CREATE_REQ *)msg; + if (req->h.length < sizeof(QUEUE_CREATE_REQ)) { + status = STATUS_INVALID_PARAMETER; + goto finish; + } + + // + // + // + + QueueName = MakeQueueName(idProcess, req->queue_name, &status); + if (! QueueName) + goto finish; + + QUEUE_OBJ *QueueObj = (QUEUE_OBJ *)FindQueueObj(QueueName); + if (QueueObj) { // already exists + status = STATUS_SUCCESS; + goto finish; + } + + status = OpenProcess(idProcess, &hProcess, + PROCESS_DUP_HANDLE | PROCESS_QUERY_INFORMATION); + if (! NT_SUCCESS(status)) + goto finish; + + status = DuplicateEvent(hProcess, req->event_handle, &hEvent); + if (! NT_SUCCESS(status)) + goto finish; + + // + // + // + + ULONG session_id; + if (!NT_SUCCESS(SbieApi_QueryProcess(idProcess, NULL, NULL, NULL, &session_id))) { + status = STATUS_ACCESS_DENIED; + goto finish; + } + + if (_wcsnicmp(req->queue_name, L"*USERPROXY", 10) == 0) { + + status = UserServer::GetInstance()->StartAsync(session_id, hEvent); + } + else if (_wcsnicmp(req->queue_name, L"*GUIPROXY", 9) == 0) { + + status = GuiServer::GetInstance()->StartAsync(session_id, hEvent); + } + else { + + status = STATUS_INVALID_PARAMETER; + } + + if (NT_SUCCESS(status)) + hEvent = NULL; + +finish: + + LeaveCriticalSection(&m_lock); + + if (hEvent) + CloseHandle(hEvent); + + if (hProcess) + CloseHandle(hProcess); + + if (QueueName) + HeapFree(m_heap, 0, QueueName); + + return SHORT_REPLY(status); +} diff --git a/Sandboxie/core/svc/queueserver.h b/Sandboxie/core/svc/queueserver.h index be7f0cb2..67a4392a 100644 --- a/Sandboxie/core/svc/queueserver.h +++ b/Sandboxie/core/svc/queueserver.h @@ -51,6 +51,8 @@ protected: MSG_HEADER *GetRplHandler(MSG_HEADER *msg, HANDLE idProcess); + MSG_HEADER *StartupHandler(MSG_HEADER *msg, HANDLE idProcess); + void NotifyHandler(HANDLE idProcess); LONG OpenProcess(HANDLE idProcess, HANDLE *out_hProcess, diff --git a/Sandboxie/core/svc/sbieiniserver.cpp b/Sandboxie/core/svc/sbieiniserver.cpp index ef6eda23..c69d9525 100644 --- a/Sandboxie/core/svc/sbieiniserver.cpp +++ b/Sandboxie/core/svc/sbieiniserver.cpp @@ -2275,7 +2275,7 @@ MSG_HEADER *SbieIniServer::RunSbieCtrl(MSG_HEADER *msg, HANDLE idProcess, bool i if (ok) { HANDLE SbieCtrlProcessId; - SbieApi_SessionLeader(hToken, &SbieCtrlProcessId); + SbieApi_SessionLeader(m_session_id, &SbieCtrlProcessId); if (SbieCtrlProcessId) { status = STATUS_IMAGE_ALREADY_LOADED; ok = FALSE; diff --git a/Sandboxie/core/svc/serviceserver2.cpp b/Sandboxie/core/svc/serviceserver2.cpp index 2a2ca22f..4c2e9825 100644 --- a/Sandboxie/core/svc/serviceserver2.cpp +++ b/Sandboxie/core/svc/serviceserver2.cpp @@ -31,6 +31,7 @@ #include "core/dll/sbiedll.h" #include #include "ProcessServer.h" +#include #define MISC_H_WITHOUT_WIN32_NTDDK_H #include "misc.h" @@ -82,6 +83,13 @@ bool ServiceServer::CanCallerDoElevation( if (DropRights && SbieDll_CheckStringInList(ServiceName, boxname, L"StartService")) DropRights = false; + + // + // always allow to start cryptsvc if needed + // + + if (DropRights && _wcsicmp(ServiceName, L"CryptSvc") == 0) + DropRights = false; } } @@ -353,7 +361,11 @@ ULONG ServiceServer::RunHandler2( // use our system token ok = OpenProcessToken(GetCurrentProcess(), TOKEN_RIGHTS, &hOldToken); } - // OriginalToken BEGIN + else { + // use the users default token + ok = WTSQueryUserToken(idSession, &hOldToken); + } + /*// OriginalToken BEGIN else if (CompartmentMode || SbieApi_QueryConfBool(boxname, L"OriginalToken", FALSE)) { HANDLE hProcess = OpenProcess(PROCESS_QUERY_INFORMATION, FALSE, (ULONG)(ULONG_PTR)idProcess); if (!hProcess) @@ -369,7 +381,7 @@ ULONG ServiceServer::RunHandler2( else { // use the callers original token hOldToken = (HANDLE)SbieApi_QueryProcessInfo(idProcess, 'ptok'); - } + }*/ } if (ok) { diff --git a/Sandboxie/install/Templates.ini b/Sandboxie/install/Templates.ini index a55a7d23..6d7d2d22 100644 --- a/Sandboxie/install/Templates.ini +++ b/Sandboxie/install/Templates.ini @@ -386,6 +386,8 @@ NormalFilePath=\Device\BootDevice\Windows\* NormalFilePath=\Device\BootPartition\Windows\* # Smart App Control NormalFilePath=\Device\SrpDevice +# Multimedia Class Scheduler Service +NormalFilePath=\Device\MMCSS\MmThread # Nvidia NormalFilePath=\Device\NvAdminDevice @@ -590,6 +592,7 @@ ClosedClsid={C2F03A33-21F5-47FA-B4BB-156362A2F239} ClosedClsid={470C0EBD-5D73-4D58-9CED-E91E22E23282} # never fake admin rights for explorer.exe (issue 3516) FakeAdminRights=explorer.exe,n +BreakoutDocumentProcess=explorer.exe,y [Template_ThirdPartyIsolation] # block VMNet0 virtual network configuration (issue 1102) diff --git a/SandboxiePlus/MiscHelpers/Archive/Archive.cpp b/SandboxiePlus/MiscHelpers/Archive/Archive.cpp index e128f8e1..c8b91772 100644 --- a/SandboxiePlus/MiscHelpers/Archive/Archive.cpp +++ b/SandboxiePlus/MiscHelpers/Archive/Archive.cpp @@ -255,21 +255,22 @@ bool CArchive::Update(QMap *FileList, bool bDelete, const SComp */ const wchar_t *names[] = { - L"s", L"x", //L"mt", + L"s", L"he" }; const int kNumProps = sizeof(names) / sizeof(names[0]); NWindows::NCOM::CPropVariant values[kNumProps] = { - (Params ? Params->bSolid : false), // solid mode OFF (UInt32)(Params ? Params->iLevel : 5), // compression level = 9 - ultra //(UInt32)8, // set number of CPU threads - true // file name encryption (7z only) + // 7z only + (Params ? Params->bSolid : false), // solid mode OFF + (Params ? Params->b7z : false) // file name encryption }; - if(setProperties->SetProperties(names, values, kNumProps) != S_OK) + if(setProperties->SetProperties(names, values, Params->b7z ? kNumProps : (kNumProps - 2)) != S_OK) { TRACE(L"ISetProperties failed"); Q_ASSERT(0); @@ -515,4 +516,4 @@ SArcInfo GetArcInfo(const QString &FileName) if(ArcInfo.FormatIndex == 0) // not a known archive ArcInfo.ArchiveExt.clear(); return ArcInfo; -} \ No newline at end of file +} diff --git a/SandboxiePlus/MiscHelpers/Archive/Archive.h b/SandboxiePlus/MiscHelpers/Archive/Archive.h index 7d5c22ea..865e2607 100644 --- a/SandboxiePlus/MiscHelpers/Archive/Archive.h +++ b/SandboxiePlus/MiscHelpers/Archive/Archive.h @@ -20,6 +20,7 @@ struct SCompressParams { int iLevel = 0; bool bSolid = false; + bool b7z = false; }; class MISCHELPERS_EXPORT CArchive diff --git a/SandboxiePlus/MiscHelpers/Common/TreeViewEx.h b/SandboxiePlus/MiscHelpers/Common/TreeViewEx.h index 2b62a88b..b1d4ec2f 100644 --- a/SandboxiePlus/MiscHelpers/Common/TreeViewEx.h +++ b/SandboxiePlus/MiscHelpers/Common/TreeViewEx.h @@ -293,6 +293,17 @@ private slots: } protected: + void mouseDoubleClickEvent(QMouseEvent* event) override + { + QModelIndex index = indexAt(event->pos()); + if (!index.isValid()) { + emit doubleClicked(index); + return; + } + + QTreeView::mouseDoubleClickEvent(event); + } + QMenu* m_pMenu; QMap m_Columns; QSet m_FixedColumns; diff --git a/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.cpp b/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.cpp index 09e824a8..26ae0a7c 100644 --- a/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.cpp +++ b/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.cpp @@ -141,6 +141,12 @@ void CSandBox::SetBoxPaths(const QString& FilePath, const QString& RegPath, cons m_IpcPath = IpcPath; } +void CSandBox::SetFileRoot(const QString& FilePath) +{ + SetText("FileRootPath", FilePath); + m_pAPI->UpdateBoxPaths(this); +} + SB_STATUS CSandBox::RunStart(const QString& Command, bool Elevated) { #ifdef _DEBUG diff --git a/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.h b/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.h index 5b7e3ddb..fef08c30 100644 --- a/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.h +++ b/SandboxiePlus/QSbieAPI/Sandboxie/SandBox.h @@ -43,6 +43,7 @@ public: virtual void UpdateDetails(); virtual void SetBoxPaths(const QString& FilePath, const QString& RegPath, const QString& IpcPath); + virtual void SetFileRoot(const QString& FilePath); virtual QString GetFileRoot() const { return m_FilePath; } virtual QString GetRegRoot() const { return m_RegPath; } virtual QString GetIpcRoot() const { return m_IpcPath; } diff --git a/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.cpp b/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.cpp index 2bc46b4d..bae6e7a6 100644 --- a/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.cpp +++ b/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.cpp @@ -424,6 +424,14 @@ bool CSbieTemplates::CheckRegistryKey(const QString& Value) { std::wstring keypath = Value.toStdWString(); + if (keypath.find(L"HKEY_LOCAL_MACHINE") == 0) keypath.replace(0, wcslen(L"HKEY_LOCAL_MACHINE"), L"\\REGISTRY\\MACHINE"); + else if (keypath.find(L"HKEY_CLASSES_ROOT") == 0) keypath.replace(0, wcslen(L"HKEY_CLASSES_ROOT"), L"\\REGISTRY\\MACHINE\\SOFTWARE\\Classes"); + //else if (keypath.find(L"HKEY_CURRENT_USER") == 0) keypath.replace(0, wcslen(L"HKEY_CURRENT_USER"), L"\\REGISTRY\\USER" + SID); + else if (keypath.find(L"HKEY_USERS") == 0) keypath.replace(0, wcslen(L"HKEY_USERS"), L"\\REGISTRY\\USER"); + //else if (keypath.find(L"HKEY_CURRENT_CONFIG") == 0) keypath.replace(0, wcslen(L"HKEY_CURRENT_CONFIG"), L"\\REGISTRY\\MACHINE\\SYSTEM\\CurrentControlSet\\Hardware Profiles\\Current"); + else + return false; + OBJECT_ATTRIBUTES objattrs; UNICODE_STRING objname; RtlInitUnicodeString(&objname, keypath.c_str()); diff --git a/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.h b/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.h index 97073b53..c8f98c06 100644 --- a/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.h +++ b/SandboxiePlus/QSbieAPI/Sandboxie/SbieTemplates.h @@ -35,7 +35,7 @@ public: QString ExpandPath(QString path); - bool CheckRegistryKey(const QString& Value); + static bool CheckRegistryKey(const QString& Value); bool CheckFile(const QString& Value); bool CheckClasses(const QString& Value); bool CheckServices(const QString& Value); diff --git a/SandboxiePlus/QSbieAPI/SbieAPI.cpp b/SandboxiePlus/QSbieAPI/SbieAPI.cpp index 15cc430a..8199f536 100644 --- a/SandboxiePlus/QSbieAPI/SbieAPI.cpp +++ b/SandboxiePlus/QSbieAPI/SbieAPI.cpp @@ -528,7 +528,7 @@ SB_STATUS CSbieAPI__CallServer(SSbieAPI* m, MSG_HEADER* req, CSbieAPI::SScopedVo return SB_ERR(SB_ServiceFail, QVariantList() << QString("reply %1").arg(status, 8, 16), status); // 2203 } } - prpl->Assign(rpl); + prpl->Assign(rpl, Buffer - (UCHAR*)rpl); return SB_OK; } @@ -559,7 +559,7 @@ SB_STATUS CSbieAPI__QueueCreate(SSbieAPI* m, const WCHAR* QueueName, HANDLE *out return SB_OK; } -bool CSbieAPI::GetQueue() +bool CSbieAPI::GetQueueReq() { QUEUE_GETREQ_REQ req; req.h.length = sizeof(QUEUE_GETREQ_REQ); @@ -606,7 +606,7 @@ bool CSbieAPI::GetQueue() return false; } -void CSbieAPI::SendReplyData(quint32 RequestId, const QVariantMap& Result) +void CSbieAPI::SendQueueRpl(quint32 RequestId, const QVariantMap& Result) { QByteArray Data; @@ -678,7 +678,7 @@ void CSbieAPI::run() if (EventHandle != NULL && WaitForSingleObject(EventHandle, 0) == 0) { - while(GetQueue()) + while(GetQueueReq()) Done++; } @@ -770,8 +770,6 @@ SB_STATUS CSbieAPI::TakeOver() memset(parms, 0, sizeof(parms)); args->func_code = API_SESSION_LEADER; - args->token_handle.val64 = 0; // (ULONG64)(ULONG_PTR)GetCurrentProcessToken(); - args->process_id.val64 = 0; // (ULONG64)(ULONG_PTR)&ResultValue; NTSTATUS status = m->IoControl(parms); if (!NT_SUCCESS(status)) @@ -2206,19 +2204,23 @@ QString CSbieAPI::GetFeatureStr() QStringList str; if (flags & SBIE_FEATURE_FLAG_WFP) - str.append("WFP"); + str.append("WFP"); // Windows Filtering Platform if (flags & SBIE_FEATURE_FLAG_OB_CALLBACKS) - str.append("ObCB"); + str.append("ObCB"); // Object Callbacks if (flags & SBIE_FEATURE_FLAG_SBIE_LOGIN) - str.append("SbL"); + str.append("SbL"); // Sandboxie Login if (flags & SBIE_FEATURE_FLAG_SECURITY_MODE) - str.append("SMod"); + str.append("SMod"); // Security Mode if (flags & SBIE_FEATURE_FLAG_PRIVACY_MODE) - str.append("PMod"); + str.append("PMod"); // Privacy Mode if (flags & SBIE_FEATURE_FLAG_COMPARTMENTS) - str.append("AppC"); + str.append("AppC"); // Application Compartment if (flags & SBIE_FEATURE_FLAG_WIN32K_HOOK) - str.append("W32k"); + str.append("W32k"); // Win32 Hooks + if (flags & SBIE_FEATURE_FLAG_ENCRYPTION) + str.append("EBox"); // Encrypted Boxes + if (flags & SBIE_FEATURE_FLAG_NET_PROXY) + str.append("NetI"); // Network Interception return str.join(","); } diff --git a/SandboxiePlus/QSbieAPI/SbieAPI.h b/SandboxiePlus/QSbieAPI/SbieAPI.h index c1b83e4f..fc3ab66a 100644 --- a/SandboxiePlus/QSbieAPI/SbieAPI.h +++ b/SandboxiePlus/QSbieAPI/SbieAPI.h @@ -182,7 +182,7 @@ public: virtual SB_RESULT(int) RunUpdateUtility(const QStringList& Params, quint32 Elevate = 0, bool Wait = false); public slots: - virtual void SendReplyData(quint32 RequestId, const QVariantMap& Result); + virtual void SendQueueRpl(quint32 RequestId, const QVariantMap& Result); signals: void StatusChanged(); @@ -220,7 +220,7 @@ protected: virtual bool HasProcesses(const QString& BoxName); - virtual bool GetQueue(); + virtual bool GetQueueReq(); virtual bool GetLog(); virtual bool GetMonitor(); @@ -289,11 +289,14 @@ public: struct SScopedVoid { ~SScopedVoid() { if (ptr) free(ptr); } - inline void Assign(void* p) {Q_ASSERT(!ptr); ptr = p;} + inline void Assign(void* p, size_t s) { Q_ASSERT(!ptr); ptr = p; size = s; } + + inline size_t Size() {return size;} protected: - SScopedVoid(void* p) : ptr(p) {} + SScopedVoid(void* p) : ptr(p), size(0) {} void* ptr; + size_t size; }; template diff --git a/SandboxiePlus/SandMan/AddonManager.cpp b/SandboxiePlus/SandMan/AddonManager.cpp index 5ef7f34c..aea12621 100644 --- a/SandboxiePlus/SandMan/AddonManager.cpp +++ b/SandboxiePlus/SandMan/AddonManager.cpp @@ -82,9 +82,7 @@ QList CAddonManager::GetAddons() QString Key = pAddon->GetSpecificEntry("uninstallKey").toString(); if (!Key.isEmpty()) { - QSettings settings(Key, QSettings::NativeFormat); - QString Uninstall = settings.value("UninstallString").toString(); - if (!Uninstall.isEmpty()) { + if(CSbieTemplates::CheckRegistryKey(Key)) { Installed = true; m_Installed.append(CAddonPtr(new CAddon(pAddon->Data))); } @@ -138,11 +136,8 @@ CAddonPtr CAddonManager::GetAddon(const QString& Id, EState State) /*bool CAddonManager::CheckAddon(const CAddonPtr& pAddon) { QString Key = pAddon->GetSpecificEntry("uninstallKey").toString(); - if (!Key.isEmpty()) { - QSettings settings(Key, QSettings::NativeFormat); - QString Uninstall = settings.value("UninstallString").toString(); - return !Uninstall.isEmpty(); - } + if (!Key.isEmpty()) + return CSbieTemplates::CheckRegistryKey(Key); / *QStringList Files = pAddon->GetSpecificEntry("files").toStringList(); foreach(const QString & File, Files) { diff --git a/SandboxiePlus/SandMan/Forms/BoxImageWindow.ui b/SandboxiePlus/SandMan/Forms/BoxImageWindow.ui index e89dfc44..8cbbe3a4 100644 --- a/SandboxiePlus/SandMan/Forms/BoxImageWindow.ui +++ b/SandboxiePlus/SandMan/Forms/BoxImageWindow.ui @@ -6,7 +6,7 @@ 0 0 - 518 + 520 307 @@ -18,161 +18,190 @@ - 500 + 520 0 Form - - - - - TextLabel - - - - - - - TextLabel - - - true - - - - - - - Enter Password - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - - - - - QLineEdit::Password - - - - - - - New Password - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - - - - - QLineEdit::Password - - - - - - - Repeat Password - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - - - - - QLineEdit::Password - - - - - - - Show Password - - - - - - - Disk Image Size - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - - - - - - 100 - 16777215 - - - - - - - - - 0 - 0 - - - - kilobytes - - - - - - - Encryption Cipher - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - - - - - - - - Protect Box Root from access by unsandboxed processes - - - true - - - - - - - Lock the box when all processes stop. - - - - - - - QDialogButtonBox::Cancel|QDialogButtonBox::Ok - - + + + + + + + Repeat Password + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + txtRepeatPassword + + + + + + + + + + QLineEdit::Password + + + + + + + Encryption Cipher + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + cmbCipher + + + + + + + New Password + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + txtNewPassword + + + + + + + Lock the box when all processes stop. + + + + + + + + 0 + 0 + + + + kilobytes + + + + + + + TextLabel + + + + + + + + 100 + 16777215 + + + + + + + + QDialogButtonBox::Cancel|QDialogButtonBox::Ok + + + + + + + QLineEdit::Password + + + + + + + TextLabel + + + true + + + + + + + Enter Password + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + txtPassword + + + + + + + Protect Box Root from access by unsandboxed processes + + + true + + + + + + + QLineEdit::Password + + + + + + + Disk Image Size + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + txtImageSize + + + + + + + Show Password + + + + + + txtPassword + txtNewPassword + txtRepeatPassword + chkShow + txtImageSize + cmbCipher + chkProtect + chkAutoLock + diff --git a/SandboxiePlus/SandMan/Forms/CompressDialog.ui b/SandboxiePlus/SandMan/Forms/CompressDialog.ui index 7cb69fcc..aef6ced5 100644 --- a/SandboxiePlus/SandMan/Forms/CompressDialog.ui +++ b/SandboxiePlus/SandMan/Forms/CompressDialog.ui @@ -16,9 +16,6 @@ - - - @@ -32,14 +29,10 @@ - - - - Compression - - + + - + When selected you will be prompted for a password after clicking OK @@ -49,7 +42,7 @@ - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. @@ -59,10 +52,27 @@ - + + + + Compression + + + + + + + + 0 + 0 + + + + + - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. true @@ -80,6 +90,12 @@ + + cmbFormat + cmbCompression + chkSolid + chkEncrypt + diff --git a/SandboxiePlus/SandMan/Forms/ExtractDialog.ui b/SandboxiePlus/SandMan/Forms/ExtractDialog.ui new file mode 100644 index 00000000..ac60666d --- /dev/null +++ b/SandboxiePlus/SandMan/Forms/ExtractDialog.ui @@ -0,0 +1,105 @@ + + + ExtractDialog + + + + 0 + 0 + 424 + 207 + + + + Extract Files + + + + + + + + Box Root Folder + + + cmbRoot + + + + + + + + + + ... + + + + + + + true + + + + + + + Import Sandbox Name + + + txtName + + + + + + + Import Sandbox from an archive + + + true + + + + + + + Qt::Vertical + + + + 20 + 40 + + + + + + + + Import without encryption + + + + + + + + + QDialogButtonBox::Cancel|QDialogButtonBox::Ok + + + + + + + txtName + cmbRoot + btnRoot + chkNoCrypt + + + + diff --git a/SandboxiePlus/SandMan/Forms/OptionsWindow.ui b/SandboxiePlus/SandMan/Forms/OptionsWindow.ui index 8bee0110..d872dd69 100644 --- a/SandboxiePlus/SandMan/Forms/OptionsWindow.ui +++ b/SandboxiePlus/SandMan/Forms/OptionsWindow.ui @@ -6,8 +6,8 @@ 0 0 - 787 - 575 + 817 + 626 @@ -45,7 +45,7 @@ QTabWidget::North - 10 + 1 @@ -55,7 +55,7 @@ - 0 + 1 @@ -98,6 +98,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbBoxIndicator + @@ -108,6 +111,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbBoxBorder + @@ -219,6 +225,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbBoxType + @@ -229,6 +238,9 @@ Qt::AlignLeading|Qt::AlignLeft|Qt::AlignVCenter + + spinBorderWidth + @@ -267,6 +279,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbDblClick + @@ -287,47 +302,6 @@ - - - - Virtualization scheme - - - - - - - Force protection on mount - - - - - - - Qt::Horizontal - - - - 40 - 0 - - - - - - - - Warn when an application opens a harddrive handle - - - - - - - Store the sandbox content in a Ram Disk - - - @@ -335,10 +309,17 @@ - - + + + + + 75 + true + true + + - Use volume serial numbers for drives, like: \drive\C~1234-ABCD + Box Structure @@ -355,30 +336,17 @@ - - + + - The box structure can only be changed when the sandbox is empty + Separate user folders + + + false - - - - - - - - 20 - 16777215 - - - - - - - - + Qt::Vertical @@ -391,27 +359,6 @@ - - - - - 75 - true - true - - - - Box Structure - - - - - - - Set Password - - - @@ -426,6 +373,68 @@ + + + + Force protection on mount + + + + + + + + + + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. + + + + + + + Use volume serial numbers for drives, like: \drive\C~1234-ABCD + + + + + + + Virtualization scheme + + + cmbVersion + + + + + + + The box structure can only be changed when the sandbox is empty + + + + + + + Set Password + + + + + + + Encrypt sandbox content + + + + + + + Warn when an application opens a harddrive handle + + + @@ -439,27 +448,10 @@ - - + + - <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - - - - - - - Encrypt sandbox content - - - - - - - Separate user folders - - - false + Allow elevated sandboxed applications to read the harddrive @@ -477,10 +469,43 @@ - - + + + + + 20 + 16777215 + + - Allow elevated sandboxed applications to read the harddrive + + + + + + + + Store the sandbox content in a Ram Disk + + + + + + + Qt::Horizontal + + + + 40 + 0 + + + + + + + + Allow sandboxed processes to open files protected by EFS @@ -881,31 +906,7 @@ - - - - Allow sandboxed programs to manage Hardware/Devices - - - - - - - - 75 - true - true - - - - Protect the sandbox integrity itself - - - Access Isolation - - - - + Qt::Horizontal @@ -918,7 +919,23 @@ - + + + + + true + true + + + + Protect the sandbox integrity itself + + + Access Isolation + + + + Qt::Vertical @@ -931,6 +948,20 @@ + + + + Allow sandboxed programs to manage Hardware/Devices + + + + + + + Open access to Proxy Configurations + + + @@ -1095,7 +1126,7 @@ - 4 + 1 @@ -1104,58 +1135,6 @@ - - - - Use the original token only for approved NT system calls - - - - - - - Enable all security enhancements (make security hardened box) - - - - - - - - 75 - true - true - - - - Protect the system from sandboxed processes - - - Elevation restrictions - - - - - - - Make applications think they are running elevated (allows to run installers safely) - - - - - - - - 75 - true - true - - - - (Recommended) - - - @@ -1163,80 +1142,6 @@ - - - - - 75 - true - true - - - - Protect the system from sandboxed processes - - - Security enhancements - - - - - - - Allow MSIServer to run with a sandboxed system token and apply other exceptions if required - - - - - - - Qt::Horizontal - - - - 40 - 20 - - - - - - - - Qt::Vertical - - - - 20 - 40 - - - - - - - - Drop rights from Administrators and Power Users groups - - - - - - - - 75 - true - true - - - - CAUTION: When running under the built in administrator, processes can not drop administrative privileges. - - - true - - - @@ -1247,23 +1152,6 @@ - - - - - 75 - true - true - - - - Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. - - - true - - - @@ -1283,6 +1171,167 @@ + + + + Qt::Horizontal + + + + 40 + 20 + + + + + + + + Qt::Vertical + + + + 20 + 40 + + + + + + + + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required + + + + + + + + true + true + + + + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. + + + true + + + + + + + + true + true + + + + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. + + + true + + + + + + + Enable all security enhancements (make security hardened box) + + + + + + + Drop rights from Administrators and Power Users groups + + + + + + + + true + true + + + + Protect the system from sandboxed processes + + + Elevation restrictions + + + + + + + + true + true + + + + Protect the system from sandboxed processes + + + File ACLs + + + + + + + Make applications think they are running elevated (allows to run installers safely) + + + + + + + + true + true + + + + (Recommended) + + + + + + + Use the original token only for approved NT system calls + + + + + + + + true + true + + + + Protect the system from sandboxed processes + + + Security enhancements + + + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + + + @@ -1294,13 +1343,6 @@ - - - - Disable Security Filtering (not recommended) - - - @@ -1314,50 +1356,6 @@ - - - - Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. - - - true - - - - - - - Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. - - - true - - - - - - - Disable Security Isolation - - - - - - - - 75 - true - true - - - - Protect the sandbox integrity itself - - - Security Isolation & Filtering - - - @@ -1381,6 +1379,57 @@ + + + + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. + + + true + + + + + + + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. + + + true + + + + + + + + 75 + true + true + + + + Protect the sandbox integrity itself + + + Security Isolation & Filtering + + + + + + + Disable Security Isolation + + + + + + + Disable Security Filtering (not recommended) + + + @@ -1649,6 +1698,9 @@ Total Processes Number Limit: + + txtTotalNumber + @@ -1703,6 +1755,9 @@ Single Process Memory Limit: + + txtSingleMemory + @@ -1746,6 +1801,9 @@ Total Processes Memory Limit: + + txtTotalMemory + @@ -2043,7 +2101,7 @@ Partially checked: No groups will be added to the newly created sandboxed token. - 0 + 1 @@ -2205,20 +2263,7 @@ Partially checked: No groups will be added to the newly created sandboxed token. - - - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - true - - - true - - - - + true @@ -2235,24 +2280,7 @@ Partially checked: No groups will be added to the newly created sandboxed token. - - - - Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. - - - true - - - - - - - Remove - - - - + Qt::Vertical @@ -2265,6 +2293,49 @@ Partially checked: No groups will be added to the newly created sandboxed token. + + + + Show Templates + + + + + + + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. + + + true + + + + + + + + 0 + 0 + + + + + 0 + 23 + + + + Breakout Folder + + + + + + + Remove + + + @@ -2284,15 +2355,8 @@ Partially checked: No groups will be added to the newly created sandboxed token. - - - - Show Templates - - - - - + + 0 @@ -2306,7 +2370,20 @@ Partially checked: No groups will be added to the newly created sandboxed token. - Breakout Folder + Breakout Document + + + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + + + true + + + true @@ -3442,6 +3519,9 @@ The process match level has a higher priority than the specificity and describes Set network/internet access for unlisted processes: + + cmbBlockINet + @@ -3489,6 +3569,9 @@ The process match level has a higher priority than the specificity and describes Test Rules, Program: + + txtProgFwTest + @@ -3499,6 +3582,9 @@ The process match level has a higher priority than the specificity and describes Port: + + txtPortFwTest + @@ -3509,6 +3595,9 @@ The process match level has a higher priority than the specificity and describes IP: + + txtIPFwTest + @@ -3519,6 +3608,9 @@ The process match level has a higher priority than the specificity and describes Protocol: + + cmbProtFwTest + @@ -5270,8 +5362,8 @@ instead of "*". 0 0 - 92 - 16 + 98 + 28 @@ -5361,6 +5453,9 @@ instead of "*". Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbCategories + @@ -5429,6 +5524,9 @@ instead of "*". Text Filter + + txtTemplates + @@ -5743,60 +5841,261 @@ Please note that this values are currently user specific and saved globally for cmbBoxBorder btnBorderColor spinBorderWidth - treeRun - btnAddCmd - btnDelCmd + chkShowForRun + chkPinToTray + cmbDblClick + cmbBoxType + cmbVersion + chkSeparateUserFolders + chkUseVolumeSerialNumbers + chkRamBox + chkEncrypt + btnPassword + chkForceProtection chkAutoEmpty chkProtectBox - treeTriggers - btnDelAuto + chkRawDiskRead + chkRawDiskNotify + chkAllowEfs + chkCopyLimit + txtCopyLimit + chkCopyPrompt + chkNoCopyWarn + chkDenyWrite + treeCopy + btnAddCopy + chkShowCopyTmpl + btnDelCopy + chkNoCopyMsg + chkBlockSpooler + chkOpenSpooler + chkOpenWpadEndpoint + chkPrintToFile + chkOpenProtectedStorage + chkOpenCredentials + chkCloseClipBoard + chkVmRead + chkVmReadNotify + chkProtectPower + chkUserOperation + chkCoverBar + chkBlockCapture + chkOpenDevCMApi + chkOpenSamEndpoint + chkOpenLsaEndpoint + treeRun + btnAddCmd + btnCmdUp + btnCmdDown + btnDelCmd + tabsSecurity + chkSecurityMode + chkLockDown + chkRestrictDevices + chkDropRights + chkFakeElevation + chkMsiExemptions + chkACLs + chkNoSecurityIsolation + chkNoSecurityFiltering + chkConfidential + chkLessConfidential + chkProtectWindow + chkAdminOnly + treeHostProc + btnHostProcessAllow + btnHostProcessDeny + chkShowHostProcTmpl + btnDelHostProcess + chkNotifyProtect + chkAddToJob + chkNestedJobs + txtSingleMemory + txtTotalMemory + txtTotalNumber + chkProtectSCM + chkRestrictServices + chkElevateRpcss + chkProtectSystem + chkDropPrivileges + chkDropConHostIntegrity + chkSbieLogon + chkCreateToken treeGroups btnAddGroup btnAddProg + chkShowGroupTmpl btnDelProg + tabsForce + treeForced + btnForceProg + btnForceChild + btnForceDir + chkShowForceTmpl + btnDelForce + chkDisableForced + treeBreakout + btnBreakoutProg + btnBreakoutDir + chkShowBreakoutTmpl + btnDelBreakout + tabsStop treeStop btnAddLingering chkShowStopTmpl btnDelStopProg + treeLeader + btnAddLeader + chkShowLeaderTmpl + btnDelLeader + chkNoStopWnd + chkLingerLeniency radStartAll radStartExcept radStartSelected treeStart btnAddStartProg + chkShowStartTmpl btnDelStartProg chkStartBlockMsg + chkAlertBeforeStart + tabsAccess + treeFiles + btnAddFile + chkShowFilesTmpl + btnDelFile + treeKeys + btnAddKey + chkShowKeysTmpl + btnDelKey + treeIPC + btnAddIPC + chkShowIPCTmpl + btnDelIPC + treeWnd + btnAddWnd + chkShowWndTmpl + btnDelWnd + chkNoWindowRename + treeCOM + btnAddCOM + chkShowCOMTmpl + btnDelCOM + chkOpenCOM + chkPrivacy + chkUseSpecificity + chkCloseForBox + chkNoOpenForBox + tabsInternet + cmbBlockINet chkINetBlockPrompt treeINet btnAddINetProg btnDelINetProg chkINetBlockMsg + treeNetFw + btnAddFwRule + chkShowNetFwTmpl + btnDelFwRule + txtProgFwTest + txtPortFwTest + txtIPFwTest + cmbProtFwTest + btnClearFwTest + treeDns + btnAddDns + btnDelDns + treeProxy + btnAddProxy + btnTestProxy + btnMoveProxyUp + btnMoveProxyDown + chkProxyResolveHostnames + btnDelProxy + chkBlockSamba + chkBlockDns + chkBlockNetShare + chkBlockNetParam + tabsRecovery treeRecovery btnAddRecovery chkShowRecoveryTmpl btnDelRecovery + chkAutoRecovery + treeRecIgnore + btnAddRecIgnore + btnAddRecIgnoreExt + chkShowRecIgnoreTmpl + btnDelRecIgnore + tabsOther + chkNoPanic + chkPreferExternalManifest + chkElevateCreateProcessFix + chkUseSbieDeskHack + chkUseSbieWndStation + chkComTimeout + chkForceRestart + treeInjectDll + chkHostProtect + chkHostProtectMsg tabsAdvanced + treeOptions + btnAddOption + chkShowOptionsTmpl + btnDelOption + treeTriggers + btnAddAutoExec + btnAddAutoRun + btnAddAutoSvc + btnAddTerminateCmd + btnAddRecoveryCmd + btnAddDeleteCmd + chkShowTriggersTmpl + btnDelAuto + chkHideFirmware + btnDumpFW + cmbLangID + chkHideSerial + chkHideMac + chkHideUID chkHideOtherBoxes + chkHideNonSystemProcesses + treeHideProc btnAddProcess + chkShowHiddenProcTmpl btnDelProcess + chkBlockWMI lstUsers btnAddUser btnDelUser chkMonitorAdminOnly + chkDisableMonitor + chkCallTrace chkFileTrace chkPipeTrace chkKeyTrace chkIpcTrace chkGuiTrace chkComTrace + chkNetFwTrace + chkDnsTrace + chkHookTrace chkDbgTrace + chkErrTrace scrollArea - treeTemplates + tabsTemplates cmbCategories txtTemplates + treeTemplates + btnAddTemplate + btnOpenTemplate + btnDelTemplate + treeFolders + chkScreenReaders btnEditIni - txtIniSection btnSaveIni btnCancelEdit + txtIniSection diff --git a/SandboxiePlus/SandMan/Forms/RecoveryWindow.ui b/SandboxiePlus/SandMan/Forms/RecoveryWindow.ui index ac0a2014..1ae07e9f 100644 --- a/SandboxiePlus/SandMan/Forms/RecoveryWindow.ui +++ b/SandboxiePlus/SandMan/Forms/RecoveryWindow.ui @@ -70,6 +70,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbRecover + @@ -193,6 +196,14 @@ treeFiles + btnDelete + cmbRecover + btnRecover + btnRefresh + btnAddFolder + chkShowAll + btnDeleteAll + btnClose diff --git a/SandboxiePlus/SandMan/Forms/SelectBoxWindow.ui b/SandboxiePlus/SandMan/Forms/SelectBoxWindow.ui index 4fa1117d..19976310 100644 --- a/SandboxiePlus/SandMan/Forms/SelectBoxWindow.ui +++ b/SandboxiePlus/SandMan/Forms/SelectBoxWindow.ui @@ -111,6 +111,14 @@ + + radBoxed + treeBoxes + radBoxedNew + radUnBoxed + chkFCP + chkAdmin + diff --git a/SandboxiePlus/SandMan/Forms/SettingsWindow.ui b/SandboxiePlus/SandMan/Forms/SettingsWindow.ui index b2a4e769..cf7af23a 100644 --- a/SandboxiePlus/SandMan/Forms/SettingsWindow.ui +++ b/SandboxiePlus/SandMan/Forms/SettingsWindow.ui @@ -7,7 +7,7 @@ 0 0 820 - 565 + 569 @@ -48,7 +48,7 @@ QTabWidget::North - 0 + 1 @@ -58,7 +58,7 @@ - 0 + 1 @@ -87,6 +87,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + uiLang + @@ -463,58 +466,20 @@ Windows Shell - - - - - 75 - true - true - - + + - Start Sandbox Manager + Add 'Run Un-Sandboxed' to the context menu - - - - Start UI with Windows - - + + - - + + - Start UI when a sandboxed process is started - - - - - - - - 75 - true - true - - - - Run Sandboxed - Actions - - - - - - - - 20 - 16777215 - - - - + Always use DefaultBox @@ -531,40 +496,6 @@ - - - - Qt::Horizontal - - - - 272 - 20 - - - - - - - - Add 'Run Sandboxed' to the explorer context menu - - - - - - - Always use DefaultBox - - - - - - - Add 'Run Un-Sandboxed' to the context menu - - - @@ -579,6 +510,30 @@ + + + + Start UI when a sandboxed process is started + + + + + + + + + + + 75 + true + true + + + + Run Sandboxed - Actions + + + @@ -586,50 +541,39 @@ - - - - Integrate with Host Start Menu - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - true - - - - - - - - - - Integrate with Host Desktop - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - true - - - - - - - - - - Qt::Vertical - - + + + 20 - 154 + 16777215 - + + + + + + + + + Add 'Set Open Path in Sandbox' to context menu + + + + + + + + 75 + true + true + + + + Start Sandbox Manager + + @@ -651,13 +595,78 @@ - - + + + + Qt::Horizontal + + + + 272 + 20 + + + + + + - Add 'Set Open Path in Sandbox' to context menu + Integrate with Host Desktop + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + true + + + cmbIntegrateDesk + + + + Add 'Run Sandboxed' to the explorer context menu + + + + + + + Start UI with Windows + + + + + + + Integrate with Host Start Menu + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + true + + + cmbIntegrateMenu + + + + + + + Qt::Vertical + + + + 20 + 154 + + + + @@ -678,6 +687,9 @@ true + + cmbTrayBoxes + @@ -691,6 +703,9 @@ true + + cmbSysTray + @@ -764,6 +779,9 @@ On main window close: + + cmbOnClose + @@ -944,7 +962,7 @@ - 1 + 0 @@ -1113,6 +1131,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbDPI + @@ -1130,6 +1151,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + txtEditor + @@ -1263,6 +1287,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbFontScale + @@ -1332,7 +1359,7 @@ - 1 + 0 @@ -1509,6 +1536,9 @@ Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + txtRamLimit + @@ -1835,6 +1865,9 @@ Incremental Updates + + cmbUpdate + @@ -1889,6 +1922,9 @@ Unlike the preview channel, it does not include untested, potentially breaking, Full Upgrades + + cmbRelease + @@ -1962,6 +1998,9 @@ Unlike the preview channel, it does not include untested, potentially breaking, Update Check Interval + + cmbInterval + @@ -1994,7 +2033,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - 1 + 0 @@ -2003,33 +2042,14 @@ Unlike the preview channel, it does not include untested, potentially breaking, - - - - Qt::Horizontal + + + + Hook selected Win32k system calls to enable GPU acceleration (experimental) - - - 40 - 20 - - - + - - - - Qt::Vertical - - - - 20 - 40 - - - - - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: @@ -2040,76 +2060,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, true - - - - - - - 75 - true - true - - - - Sandbox default + + regRoot - - - - - - - - - Sandbox <a href="sbie://docs/filerootpath">file system root</a>: - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - + + true - - - - Qt::Horizontal - - - - 40 - 20 - - - - - - - - Default sandbox: - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - - - - - Activate Kernel Mode Object Filtering - - - - + - 75 true true @@ -2119,72 +2085,6 @@ Unlike the preview channel, it does not include untested, potentially breaking, - - - - Qt::Horizontal - - - - 40 - 20 - - - - - - - - Hook selected Win32k system calls to enable GPU acceleration (experimental) - - - - - - - Use a Sandboxie login instead of an anonymous token - - - - - - - - - - Portable root folder - - - - - - - Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - true - - - - - - - Qt::Horizontal - - - - 40 - 20 - - - - - - - @@ -2198,20 +2098,191 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + + + + + true + true + + + + Sandbox default + + + + + + + + + + true + + + + + + + Qt::Horizontal + + + + 40 + 20 + + + + + + + + Qt::Horizontal + + + + 40 + 20 + + + + + + + + true + + + + + + + Portable root folder + + + + + + + Qt::Horizontal + + + + 40 + 20 + + + + + + + + Qt::Vertical + + + + 20 + 40 + + + + + Use Windows Filtering Platform to restrict network access + + + + Default sandbox: + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + cmbDefault + + + + + + + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + true + + + fileRoot + + + + + + Use a Sandboxie login instead of an anonymous token + + + + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) + + + + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: + + + Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + + true + + + ipcRoot + + + + + + + Activate Kernel Mode Object Filtering + + + + + + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + Restrict box root folder access to the the user whom created that sandbox + + + + + + + Qt::Horizontal + + + + 40 + 20 + + + + @@ -2272,7 +2343,6 @@ Unlike the preview channel, it does not include untested, potentially breaking, - 75 true true @@ -2455,6 +2525,9 @@ Unlike the preview channel, it does not include untested, potentially breaking, Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + + cmbUsbSandbox + @@ -2611,6 +2684,9 @@ Unlike the preview channel, it does not include untested, potentially breaking, Text Filter + + txtTemplates + @@ -2783,20 +2859,138 @@ Unlike the preview channel, it does not include untested, potentially breaking, tabs + tabsGeneral + uiLang chkSandboxUrls + chkMonitorSize + chkPanic + keyPanic + chkTop + keyTop + chkPauseForce + keyPauseForce + chkSuspend + keySuspend + chkAsyncBoxOps + chkAutoTerminate + chkShowRecovery + chkCheckDelete + chkRecoveryTop + chkSilentMode + chkCopyProgress + chkNotifyRecovery + chkNoMessages + treeMessages + btnAddMessage + btnDelMessage + tabsShell + chkAutoStart + chkSvcStart + chkShellMenu + chkAlwaysDefault + chkShellMenu2 + chkShellMenu3 + chkShellMenu4 + chkScanMenu + cmbIntegrateMenu + cmbIntegrateDesk + cmbSysTray + cmbTrayBoxes + chkCompactTray + chkBoxOpsNotify + cmbOnClose + chkMinimize + chkSingleShow + treeRun + btnAddCmd + btnCmdUp + btnCmdDown + btnDelCmd + tabsGUI + chkDarkTheme + chkFusionTheme + chkAltRows + chkBackground + chkLargeIcons + chkNoIcons + chkOptTree + chkNewLayout + chkColorIcons + chkOverlayIcons + chkHideCore + cmbDPI + cmbFontScale + chkHide + btnSelectIniFont + btnResetIniFont + txtEditor + tabsAddons + treeAddons + btnInstallAddon + btnRemoveAddon + chkRamDisk + txtRamLimit + chkRamLetter + cmbRamLetter + tabsSupport + txtCertificate + txtSerial + btnGetCert + chkNoCheck + chkAutoUpdate + cmbInterval + radStable + radPreview + radInsider + cmbUpdate + cmbRelease + chkUpdateIssues + chkUpdateAddons + tabsAdvanced + cmbDefault + chkAutoRoot fileRoot btnBrowse + chkLockBox regRoot ipcRoot + chkWFP + chkObjCb + chkWin32k + chkSbieLogon + chkSbieAll + chkWatchConfig + chkSkipUAC + chkAdminOnly + chkPassRequired + btnSetPassword + chkAdminOnlyFP + chkClearPass + tabsControl chkStartBlock treeWarnProgs btnAddWarnProg btnAddWarnFolder btnDelWarnProg + chkStartBlockMsg + chkNotForcedMsg + chkSandboxUsb + cmbUsbSandbox + treeVolumes + tabsTemplates treeCompat btnAddCompat btnDelCompat chkNoCompat + txtTemplates + treeTemplates + btnAddTemplate + btnOpenTemplate + btnDelTemplate + btnEditIni + btnSaveIni + btnCancelEdit + txtIniSection diff --git a/SandboxiePlus/SandMan/Forms/SnapshotsWindow.ui b/SandboxiePlus/SandMan/Forms/SnapshotsWindow.ui index d7e92191..81ba6238 100644 --- a/SandboxiePlus/SandMan/Forms/SnapshotsWindow.ui +++ b/SandboxiePlus/SandMan/Forms/SnapshotsWindow.ui @@ -65,6 +65,9 @@ Name: + + txtName + @@ -122,6 +125,9 @@ Qt::AlignLeading|Qt::AlignLeft|Qt::AlignTop + + txtInfo + @@ -222,11 +228,13 @@ - btnTake treeSnapshots - btnRemove txtName + chkDefault txtInfo + btnTake + btnSelect + btnRemove diff --git a/SandboxiePlus/SandMan/Helpers/TabOrder.cpp b/SandboxiePlus/SandMan/Helpers/TabOrder.cpp new file mode 100644 index 00000000..0009ddd3 --- /dev/null +++ b/SandboxiePlus/SandMan/Helpers/TabOrder.cpp @@ -0,0 +1,124 @@ +#include "stdafx.h" +#include "TabOrder.h" + +// Items to be sorted by row & col +template +struct ChildItem +{ + T item; + int row, col; + template + ChildItem(U&& item, int row, int col) + : item(std::forward(item)), row(row), col(col) {} + bool operator<(const ChildItem& other) const // make it sortable + { + if (row != other.row) + return row < other.row; + return col < other.col; // sort first by row, then by col + } +}; + +void GetWidgetsInOrder(QWidget* widget, std::vector& widgets); +void GetWidgetsInOrder(QLayout* layout, std::vector& widgets); + +// Fills the given list with widgets in the correct tab order (recursively) +void GetWidgetsInOrder(QWidget* widget, std::vector& widgets) +{ + if (widget->focusPolicy() != Qt::FocusPolicy::NoFocus) + { + widgets.push_back(widget); // add the widget itself + } + + if (QLayout* layout = widget->layout()) + { + // if managed by a layout + GetWidgetsInOrder(layout, widgets); + return; + } + + // If not managed by a layout, try to get its child widgets. + // Here only children of QTabWidgets are actually processed. + // More branches will be necessary if there's another type of container widget used. + + if (auto* parent = qobject_cast(widget)) + { + int cnt = parent->count(); + for (int i = 0; i < cnt; i++) + GetWidgetsInOrder(parent->widget(i), widgets); + } +} + +// Fills the given list with widgets in the correct tab order (recursively) +void GetWidgetsInOrder(QLayout* layout, std::vector& widgets) +{ + // Get a list of layout items in the layout, + // then sort by rows and columns to get the correct tab order + + int cnt = layout->count(); + std::vector> items; + + if (QGridLayout* gridLayout = qobject_cast(layout)) + { + for (int i = 0; i < cnt; i++) + { + int row, col, rowSpan, colSpan; + gridLayout->getItemPosition(i, &row, &col, &rowSpan, &colSpan); + items.emplace_back(gridLayout->itemAt(i), row, col); + } + } + else if (QFormLayout* formLayout = qobject_cast(layout)) + { + for (int i = 0; i < cnt; i++) + { + int row; + QFormLayout::ItemRole role; + formLayout->getItemPosition(i, &row, &role); + items.emplace_back(formLayout->itemAt(i), row, (int)role); + } + } + else + { + // For other types of layouts, preserve the order in the layout + for (int i = 0; i < cnt; i++) + { + items.emplace_back(layout->itemAt(i), 0, i); + } + } + + std::stable_sort(items.begin(), items.end()); + + // process all child layouts/widgets in the sorted order + for (const auto& item : items) + { + if (QLayout* l = item.item->layout()) + GetWidgetsInOrder(l, widgets); + else if (QWidget* w = item.item->widget()) + GetWidgetsInOrder(w, widgets); + } +} + +void SetTabOrder(QWidget* root) +{ + std::vector widgets; + GetWidgetsInOrder(root, widgets); + QWidget* prev = nullptr; + for (QWidget* widget : widgets) + { + if (prev) + QWidget::setTabOrder(prev, widget); + prev = widget; + } +} + +void SetTabOrder(QLayout* root) +{ + std::vector widgets; + GetWidgetsInOrder(root, widgets); + QWidget* prev = nullptr; + for (QWidget* widget : widgets) + { + if (prev) + QWidget::setTabOrder(prev, widget); + prev = widget; + } +} diff --git a/SandboxiePlus/SandMan/Helpers/TabOrder.h b/SandboxiePlus/SandMan/Helpers/TabOrder.h new file mode 100644 index 00000000..d4f49f9b --- /dev/null +++ b/SandboxiePlus/SandMan/Helpers/TabOrder.h @@ -0,0 +1,4 @@ +#pragma once + +void SetTabOrder(QWidget* root); +void SetTabOrder(QLayout* root); diff --git a/SandboxiePlus/SandMan/OnlineUpdater.cpp b/SandboxiePlus/SandMan/OnlineUpdater.cpp index 52f4c42e..83636d86 100644 --- a/SandboxiePlus/SandMan/OnlineUpdater.cpp +++ b/SandboxiePlus/SandMan/OnlineUpdater.cpp @@ -210,22 +210,36 @@ SB_PROGRESS COnlineUpdater::GetSupportCert(const QString& Serial, QObject* recei QString UpdateKey = Params["key"].toString(); QUrlQuery Query; + + bool bHwId = false; if (!Serial.isEmpty()) { Query.addQueryItem("SN", Serial); - if (Serial.length() > 5 && Serial.at(4).toUpper() == 'N') { - wchar_t uuid_str[40]; - theAPI->GetDriverInfo(-2, uuid_str, sizeof(uuid_str)); - Query.addQueryItem("HwId", QString::fromWCharArray(uuid_str)); - } + if (Serial.length() > 5 && Serial.at(4).toUpper() == 'N') + bHwId = true; } + if(!UpdateKey.isEmpty()) Query.addQueryItem("UpdateKey", UpdateKey); + if (Serial.isEmpty() && Params.contains("eMail")) { // Request eval Key + Query.addQueryItem("eMail", Params["eMail"].toString()); + bHwId = true; + } + + if (Params.contains("Name")) + Query.addQueryItem("Name", Params["Name"].toString()); + + if (bHwId) { + wchar_t uuid_str[40]; + theAPI->GetDriverInfo(-2, uuid_str, sizeof(uuid_str)); + Query.addQueryItem("HwId", QString::fromWCharArray(uuid_str)); + } + #ifdef _DEBUG QString Test = Query.toString(); #endif - QUrl Url("https://sandboxie-plus.com/get_cert.php"); + QUrl Url("https://sandboxie-plus.com/get_cert.php?"); Url.setQuery(Query); CUpdatesJob* pJob = new CGetCertJob(Params, this); diff --git a/SandboxiePlus/SandMan/SandMan.cpp b/SandboxiePlus/SandMan/SandMan.cpp index b55d7299..a4d64194 100644 --- a/SandboxiePlus/SandMan/SandMan.cpp +++ b/SandboxiePlus/SandMan/SandMan.cpp @@ -1769,8 +1769,8 @@ bool CSandMan::RunSandboxed(const QStringList& Commands, QString BoxName, const SB_RESULT(quint32) CSandMan::RunStart(const QString& BoxName, const QString& Command, CSbieAPI::EStartFlags Flags, const QString& WorkingDir, QProcess* pProcess) { auto pBoxEx = theAPI->GetBoxByName(BoxName).objectCast(); - if (pBoxEx && pBoxEx->UseImageFile() && pBoxEx->GetMountRoot().isEmpty()) { - + if (pBoxEx && pBoxEx->UseImageFile() && pBoxEx->GetMountRoot().isEmpty()) + { SB_STATUS Status = ImBoxMount(pBoxEx, true); if (Status.IsError()) return Status; @@ -2647,11 +2647,17 @@ void CSandMan::CheckCompat(QObject* receiver, const char* member) void CSandMan::OpenCompat() { if (m_SbieTemplates->GetCheckState()) - { - CSettingsWindow* pSettingsWindow = new CSettingsWindow(this); - connect(pSettingsWindow, SIGNAL(OptionsChanged(bool)), this, SLOT(UpdateSettings(bool))); - pSettingsWindow->showTab("AppCompat"); - } + OpenSettings("AppCompat"); +} + +void CSandMan::OpenSettings(const QString& Tab) +{ + CSettingsWindow* pSettingsWindow = new CSettingsWindow(this); + connect(pSettingsWindow, SIGNAL(OptionsChanged(bool)), this, SLOT(UpdateSettings(bool))); + if (!Tab.isEmpty()) + pSettingsWindow->showTab(Tab); + else + CSandMan::SafeShow(pSettingsWindow); } void CSandMan::UpdateState() @@ -2727,9 +2733,7 @@ void CSandMan::CheckSupport() if (!ReminderShown && (g_CertInfo.expired || (g_CertInfo.expirers_in_sec > 0 && g_CertInfo.expirers_in_sec < (60 * 60 * 24 * 30))) && !theConf->GetBool("Options/NoSupportCheck", false)) { ReminderShown = true; - CSettingsWindow* pSettingsWindow = new CSettingsWindow(this); - connect(pSettingsWindow, SIGNAL(OptionsChanged(bool)), this, SLOT(UpdateSettings(bool))); - pSettingsWindow->showTab("Support"); + OpenSettings("Support"); } } @@ -3030,7 +3034,7 @@ bool CSandMan::CheckCertificate(QWidget* pWidget, int iType) QString Message; if (iType == 1 || iType == 2) { - if (CERT_IS_LEVEL(g_CertInfo, iType == 1 ? eCertAdvanced1 : eCertAdvanced)) + if (iType == 1 ? g_CertInfo.opt_enc : g_CertInfo.opt_net) return true; Message = tr("The selected feature requires an advanced supporter certificate."); @@ -3043,7 +3047,7 @@ bool CSandMan::CheckCertificate(QWidget* pWidget, int iType) } else { - if (g_CertInfo.active) + if (iType == -1 ? g_CertInfo.active : g_CertInfo.opt_sec) return true; if(iType == 2) @@ -3199,7 +3203,7 @@ void CSandMan::OnQueuedRequest(quint32 ClientPid, quint32 ClientTid, quint32 Req { QVariantMap Ret; Ret["retval"] = (theAPI->IsStarting(ClientPid) || CSupportDialog::ShowDialog()) ? 1 : 0; - theAPI->SendReplyData(RequestId, Ret); + theAPI->SendQueueRpl(RequestId, Ret); return; } m_pPopUpWindow->AddUserPrompt(RequestId, Data, ClientPid); diff --git a/SandboxiePlus/SandMan/SandMan.h b/SandboxiePlus/SandMan/SandMan.h index 04a8df18..4db83a1c 100644 --- a/SandboxiePlus/SandMan/SandMan.h +++ b/SandboxiePlus/SandMan/SandMan.h @@ -95,6 +95,8 @@ public: SB_RESULT(quint32) RunStart(const QString& BoxName, const QString& Command, CSbieAPI::EStartFlags Flags = CSbieAPI::eStartDefault, const QString& WorkingDir = QString(), QProcess* pProcess = NULL); SB_STATUS ImBoxMount(const CSandBoxPtr& pBox, bool bAutoUnmount = false); + void OpenSettings(const QString& Tab = QString()); + void EditIni(const QString& IniPath, bool bPlus = false); void UpdateDrives(); diff --git a/SandboxiePlus/SandMan/SandMan.pri b/SandboxiePlus/SandMan/SandMan.pri index ca9809f0..b6cede3c 100644 --- a/SandboxiePlus/SandMan/SandMan.pri +++ b/SandboxiePlus/SandMan/SandMan.pri @@ -23,6 +23,7 @@ HEADERS += ./stdafx.h \ ./Helpers/StorageInfo.h \ ./Helpers/ReadDirectoryChanges.h \ ./Helpers/ReadDirectoryChangesPrivate.h \ + ./Helpers/TabOrder.h \ ./Windows/RecoveryWindow.h \ ./Windows/PopUpWindow.h \ ./Windows/SnapshotsWindow.h \ @@ -38,6 +39,7 @@ HEADERS += ./stdafx.h \ ./Wizards/BoxAssistant.h \ ./Windows/BoxImageWindow.h \ ./Windows/CompressDialog.h \ + ./Windows/ExtractDialog.h \ ./Engine/BoxEngine.h \ ./Engine/ScriptManager.h \ ./Engine/BoxObject.h \ @@ -73,6 +75,7 @@ SOURCES += ./main.cpp \ ./Helpers/ReadDirectoryChanges.cpp \ ./Helpers/ReadDirectoryChangesPrivate.cpp \ ./Helpers/WindowFromPointEx.cpp \ + ./Helpers/TabOrder.cpp \ ./Windows/OptionsWindow.cpp \ ./Windows/PopUpWindow.cpp \ ./Windows/RecoveryWindow.cpp \ @@ -88,6 +91,7 @@ SOURCES += ./main.cpp \ ./Wizards/BoxAssistant.cpp \ ./Windows/BoxImageWindow.cpp \ ./Windows/CompressDialog.cpp \ + ./Windows/ExtractDialog.cpp \ ./Engine/BoxEngine.cpp \ ./Engine/ScriptManager.cpp \ ./Engine/BoxObject.cpp \ @@ -105,6 +109,7 @@ FORMS += ./Forms/SelectBoxWindow.ui \ ./Forms/SnapshotsWindow.ui \ ./Forms/BoxImageWindow.ui \ ./Forms/CompressDialog.ui \ + ./Forms/ExtractDialog.ui \ ./Forms/TestProxyDialog.ui TRANSLATIONS += sandman_de.ts \ diff --git a/SandboxiePlus/SandMan/SandMan.vcxproj b/SandboxiePlus/SandMan/SandMan.vcxproj index 0909ab7a..bd8db6c4 100644 --- a/SandboxiePlus/SandMan/SandMan.vcxproj +++ b/SandboxiePlus/SandMan/SandMan.vcxproj @@ -299,6 +299,7 @@ + @@ -348,6 +349,7 @@ + true true @@ -443,6 +445,7 @@ + @@ -483,6 +486,7 @@ + @@ -504,6 +508,7 @@ + diff --git a/SandboxiePlus/SandMan/SandMan.vcxproj.filters b/SandboxiePlus/SandMan/SandMan.vcxproj.filters index dc7afdb0..23fc3005 100644 --- a/SandboxiePlus/SandMan/SandMan.vcxproj.filters +++ b/SandboxiePlus/SandMan/SandMan.vcxproj.filters @@ -234,6 +234,12 @@ Windows + + Windows + + + Helpers + @@ -275,6 +281,9 @@ SandMan + + Helpers + @@ -385,6 +394,9 @@ Windows + + Windows + @@ -428,7 +440,10 @@ Form Files - Form Files + Form Files + + + Form Files diff --git a/SandboxiePlus/SandMan/SbiePlusAPI.cpp b/SandboxiePlus/SandMan/SbiePlusAPI.cpp index edb2f3d7..01fc6394 100644 --- a/SandboxiePlus/SandMan/SbiePlusAPI.cpp +++ b/SandboxiePlus/SandMan/SbiePlusAPI.cpp @@ -44,6 +44,21 @@ CBoxedProcessPtr CSbiePlusAPI::OnProcessBoxed(quint32 ProcessId, const QString& return pProcess; } +std::wstring GetWindowTextTimeout(HWND hWnd, UINT timeout) +{ + int length = 0; + + if (SendMessageTimeoutW(hWnd, WM_GETTEXTLENGTH, 0, 0, SMTO_ABORTIFHUNG, timeout, reinterpret_cast(&length)) == 0) + return L""; + if (length == 0) + return L""; + + std::vector buffer(length + 1); + if (SendMessageTimeoutW(hWnd, WM_GETTEXT, length + 1, reinterpret_cast(buffer.data()), SMTO_ABORTIFHUNG, timeout, nullptr) == 0) + return L""; + return std::wstring(buffer.data()); +} + BOOL CALLBACK CSbiePlusAPI__WindowEnum(HWND hwnd, LPARAM lParam) { if (GetParent(hwnd) || GetWindow(hwnd, GW_OWNER)) @@ -64,10 +79,9 @@ BOOL CALLBACK CSbiePlusAPI__WindowEnum(HWND hwnd, LPARAM lParam) QMultiMap& m_WindowMap = *((QMultiMap*)(lParam)); - WCHAR title[256]; - GetWindowTextW(hwnd, title, 256); + QString name = QString::fromStdWString(GetWindowTextTimeout(hwnd, 10)); - m_WindowMap.insert(pid, QString::fromWCharArray(title)); + m_WindowMap.insert(pid, name); return TRUE; } @@ -234,9 +248,12 @@ void CSandBoxPlus::ExportBoxAsync(const CSbieProgressPtr& pProgress, const QStri if (vParams.contains("password")) Archive.SetPassword(vParams["password"].toString()); + SArcInfo Info = GetArcInfo(ExportPath); + SCompressParams Params; Params.iLevel = vParams["level"].toInt(); Params.bSolid = vParams["solid"].toBool(); + Params.b7z = Info.ArchiveExt != "zip"; SB_STATUS Status = SB_OK; if (!Archive.Update(&Files, true, &Params, &Attributes)) @@ -329,15 +346,13 @@ void CSandBoxPlus::ImportBoxAsync(const CSbieProgressPtr& pProgress, const QStri pProgress->Finish(Status); } -SB_PROGRESS CSandBoxPlus::ImportBox(const QString& FileName, const QString& RootFolder, const QString& Password) +SB_PROGRESS CSandBoxPlus::ImportBox(const QString& FileName, const QString& Password) { if (!CArchive::IsInit()) return SB_ERR((ESbieMsgCodes)SBX_7zNotReady); CSbieProgressPtr pProgress = CSbieProgressPtr(new CSbieProgress()); - QString filepath = RootFolder.isEmpty()?m_FilePath:RootFolder; - - QtConcurrent::run(CSandBoxPlus::ImportBoxAsync, pProgress, FileName, filepath, m_Name, Password); + QtConcurrent::run(CSandBoxPlus::ImportBoxAsync, pProgress, FileName, m_FilePath, m_Name, Password); return SB_PROGRESS(OP_ASYNC, pProgress); } @@ -1170,7 +1185,6 @@ QString CSandBoxPlus::GetFullCommand(const QString& Command) return FullCmd.replace("%BoxRoot%", m_FilePath, Qt::CaseInsensitive); } - /////////////////////////////////////////////////////////////////////////////// // CSbieTemplatesEx // diff --git a/SandboxiePlus/SandMan/SbiePlusAPI.h b/SandboxiePlus/SandMan/SbiePlusAPI.h index b9970b41..aef287e1 100644 --- a/SandboxiePlus/SandMan/SbiePlusAPI.h +++ b/SandboxiePlus/SandMan/SbiePlusAPI.h @@ -75,7 +75,7 @@ public: virtual QString GetDisplayName() const; SB_PROGRESS ExportBox(const QString& FileName, const QString& Password = "", int Level = 5, bool Solid = false); - SB_PROGRESS ImportBox(const QString& FileName, const QString& RootFolder,const QString& Password); + SB_PROGRESS ImportBox(const QString& FileName, const QString& Password); virtual void UpdateDetails(); diff --git a/SandboxiePlus/SandMan/Views/SbieView.cpp b/SandboxiePlus/SandMan/Views/SbieView.cpp index 22673b03..f5a91894 100644 --- a/SandboxiePlus/SandMan/Views/SbieView.cpp +++ b/SandboxiePlus/SandMan/Views/SbieView.cpp @@ -17,6 +17,7 @@ #include "../MiscHelpers/Archive/Archive.h" #include "../Windows/SettingsWindow.h" #include "../Windows/CompressDialog.h" +#include "../Windows/ExtractDialog.h" #include "qt_windows.h" #include "qwindowdefs_win.h" @@ -1037,7 +1038,7 @@ QString CSbieView::AddNewBox(bool bAlowTemp) QString CSbieView::ImportSandbox() { - QString Path = QFileDialog::getOpenFileName(this, tr("Select file name"), "", tr("7-zip Archive (*.7z)")); + QString Path = QFileDialog::getOpenFileName(this, tr("Select file name"), "", tr("7-Zip Archive (*.7z);;Zip Archive (*.zip)")); if (Path.isEmpty()) return ""; @@ -1071,39 +1072,40 @@ QString CSbieView::ImportSandbox() StrPair PathName = Split2(Path, "/", true); StrPair NameEx = Split2(PathName.second, ".", true); QString Name = NameEx.first; + + CExtractDialog optWnd(Name, this); + if(!Password.isEmpty()) + optWnd.ShowNoCrypt(); + if (!theGUI->SafeExec(&optWnd) == 1) + return ""; + Name = optWnd.GetName(); + QString BoxRoot = optWnd.GetRoot(); CSandBoxPtr pBox; - for (;;) { - pBox = theAPI->GetBoxByName(Name); - if (pBox.isNull()) - break; - Name = QInputDialog::getText(this, "Sandboxie-Plus", tr("This name is already in use, please select an alternative box name"), QLineEdit::Normal, Name); - if (Name.isEmpty()) - return ""; - } - SB_PROGRESS Status = theAPI->CreateBox(Name); if (!Status.IsError()) { pBox = theAPI->GetBoxByName(Name); if (pBox) { - QString rootname = ""; - if (QMessageBox::question(this, tr("Importing Sandbox"), tr("Do you want to select custom root folder?"), QMessageBox::Yes, QMessageBox::No) == QMessageBox::Yes) { - rootname=QFileDialog::getExistingDirectory(this); - } + auto pBoxEx = pBox.objectCast(); - if (!Password.isEmpty()) { + if (!BoxRoot.isEmpty()) + pBox->SetFileRoot(BoxRoot); + + if (!Password.isEmpty() && !optWnd.IsNoCrypt()) { Status = pBoxEx->ImBoxCreate(ImageSize / 1024, Password); if (!Status.IsError()) Status = pBoxEx->ImBoxMount(Password, true, true); } if (!Status.IsError()) - Status = pBoxEx->ImportBox(Path,rootname,Password); - if(!rootname.isEmpty()) - pBox->SetText("FileRootPath", rootname); + Status = pBoxEx->ImportBox(Path, Password); + + // always overwrite restored FileRootPath + pBox->SetText("FileRootPath", BoxRoot); } } + if (Status.GetStatus() == OP_ASYNC) { Status = theGUI->AddAsyncOp(Status.GetValue(), true, tr("Importing: %1").arg(Path)); if (Status.IsError()) { @@ -1405,7 +1407,7 @@ void CSbieView::OnSandBoxAction(QAction* Action, const QList& SandB Password = pwWnd.GetPassword(); } - QString Path = QFileDialog::getSaveFileName(this, tr("Select file name"), SandBoxes.first()->GetName() + ".7z", tr("7-zip Archive (*.7z)")); + QString Path = QFileDialog::getSaveFileName(this, tr("Select file name"), SandBoxes.first()->GetName() + optWnd.GetFormat(), tr("7-Zip Archive (*.7z);;Zip Archive (*.zip)")); if (Path.isEmpty()) return; diff --git a/SandboxiePlus/SandMan/Windows/BoxImageWindow.cpp b/SandboxiePlus/SandMan/Windows/BoxImageWindow.cpp index b72e92a0..d3de7908 100644 --- a/SandboxiePlus/SandMan/Windows/BoxImageWindow.cpp +++ b/SandboxiePlus/SandMan/Windows/BoxImageWindow.cpp @@ -99,6 +99,9 @@ CBoxImageWindow::CBoxImageWindow(EAction Action, QWidget *parent) } //restoreGeometry(theConf->GetBlob("BoxImageWindow/Window_Geometry")); + + // Adjust the size of the dialog + this->adjustSize(); } void CBoxImageWindow::SetForce(bool force) diff --git a/SandboxiePlus/SandMan/Windows/CompressDialog.cpp b/SandboxiePlus/SandMan/Windows/CompressDialog.cpp index 0e2e9eb0..02277a60 100644 --- a/SandboxiePlus/SandMan/Windows/CompressDialog.cpp +++ b/SandboxiePlus/SandMan/Windows/CompressDialog.cpp @@ -22,6 +22,11 @@ CCompressDialog::CCompressDialog(QWidget *parent) ui.setupUi(this); this->setWindowTitle(tr("Sandboxie-Plus - Sandbox Export")); + connect(ui.cmbFormat, SIGNAL(currentIndexChanged(int)), this, SLOT(OnFormatChanged(int))); + + ui.cmbFormat->addItem(tr("7-Zip"), ".7z"); + ui.cmbFormat->addItem(tr("Zip"), ".zip"); + ui.cmbCompression->addItem(tr("Store"), 0); ui.cmbCompression->addItem(tr("Fastest"), 1); ui.cmbCompression->addItem(tr("Fast"), 3); @@ -41,6 +46,17 @@ CCompressDialog::~CCompressDialog() //theConf->SetBlob("CompressDialog/Window_Geometry", saveGeometry()); } +void CCompressDialog::OnFormatChanged(int index) +{ + ui.chkSolid->setEnabled(index == 0); + ui.chkEncrypt->setEnabled(index == 0); +} + +QString CCompressDialog::GetFormat() +{ + return ui.cmbFormat->currentData().toString(); +} + int CCompressDialog::GetLevel() { return ui.cmbCompression->currentData().toInt(); diff --git a/SandboxiePlus/SandMan/Windows/CompressDialog.h b/SandboxiePlus/SandMan/Windows/CompressDialog.h index 84a05fe5..a86aa2d2 100644 --- a/SandboxiePlus/SandMan/Windows/CompressDialog.h +++ b/SandboxiePlus/SandMan/Windows/CompressDialog.h @@ -12,12 +12,16 @@ public: CCompressDialog(QWidget *parent = Q_NULLPTR); ~CCompressDialog(); + QString GetFormat(); int GetLevel(); bool MakeSolid(); void SetMustEncrypt(); bool UseEncryption(); +private slots: + void OnFormatChanged(int index); + private: Ui::CompressDialog ui; }; diff --git a/SandboxiePlus/SandMan/Windows/ExtractDialog.cpp b/SandboxiePlus/SandMan/Windows/ExtractDialog.cpp new file mode 100644 index 00000000..d5d5e4e8 --- /dev/null +++ b/SandboxiePlus/SandMan/Windows/ExtractDialog.cpp @@ -0,0 +1,74 @@ +#include "stdafx.h" +#include "ExtractDialog.h" +#include "SandMan.h" +#include "../MiscHelpers/Common/Settings.h" +#include "../MiscHelpers/Common/Common.h" + + +CExtractDialog::CExtractDialog(const QString& Name, QWidget *parent) + : QDialog(parent) +{ + Qt::WindowFlags flags = windowFlags(); + flags |= Qt::CustomizeWindowHint; + //flags &= ~Qt::WindowContextHelpButtonHint; + //flags &= ~Qt::WindowSystemMenuHint; + //flags &= ~Qt::WindowMinMaxButtonsHint; + //flags |= Qt::WindowMinimizeButtonHint; + //flags &= ~Qt::WindowCloseButtonHint; + flags &= ~Qt::WindowContextHelpButtonHint; + //flags &= ~Qt::WindowSystemMenuHint; + setWindowFlags(flags); + + ui.setupUi(this); + this->setWindowTitle(tr("Sandboxie-Plus - Sandbox Import")); + + ui.txtName->setText(Name); + + QString Location = theAPI->GetGlobalSettings()->GetText("FileRootPath", "\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%"); + ui.cmbRoot->addItem(Location/*.replace("%SANDBOX%", field("boxName").toString())*/); + QStringList StdLocations = QStringList() + << "\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%" + << "\\??\\%SystemDrive%\\Sandbox\\%SANDBOX%" + << "\\??\\%SystemDrive%\\Users\\%USER%\\Sandbox\\%SANDBOX%"; + foreach(auto StdLocation, StdLocations) { + if (StdLocation != Location) + ui.cmbRoot->addItem(StdLocation); + } + + connect(ui.btnRoot, &QPushButton::clicked, [&]() { + QString FilePath = QFileDialog::getExistingDirectory(this, tr("Select Directory")); + if (!FilePath.isEmpty()) + ui.cmbRoot->setCurrentText(FilePath.replace("/", "\\")); + }); + + ui.chkNoCrypt->setVisible(false); + + connect(ui.buttonBox, SIGNAL(accepted()), SLOT(OnAccept())); + connect(ui.buttonBox, SIGNAL(rejected()), SLOT(reject())); + + //restoreGeometry(theConf->GetBlob("ExtractDialog/Window_Geometry")); +} + +CExtractDialog::~CExtractDialog() +{ + //theConf->SetBlob("ExtractDialog/Window_Geometry", saveGeometry()); +} + +void CExtractDialog::OnAccept() +{ + CSandBoxPtr pBox = theAPI->GetBoxByName(ui.txtName->text()); + if (!pBox.isNull()) { + QMessageBox::warning(this, "Sandboxie-Plus", tr("This name is already in use, please select an alternative box name")); + return; + } + + accept(); +} + +QString CExtractDialog::GetRoot() const +{ + QString Location = theAPI->GetGlobalSettings()->GetText("FileRootPath", "\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%"); + if (Location == ui.cmbRoot->currentText()) + return ""; + return ui.cmbRoot->currentText(); +} \ No newline at end of file diff --git a/SandboxiePlus/SandMan/Windows/ExtractDialog.h b/SandboxiePlus/SandMan/Windows/ExtractDialog.h new file mode 100644 index 00000000..ee34d4b9 --- /dev/null +++ b/SandboxiePlus/SandMan/Windows/ExtractDialog.h @@ -0,0 +1,25 @@ +#pragma once + +#include +#include "ui_ExtractDialog.h" +#include "SbiePlusAPI.h" + +class CExtractDialog : public QDialog +{ + Q_OBJECT + +public: + CExtractDialog(const QString& Name, QWidget *parent = Q_NULLPTR); + ~CExtractDialog(); + + QString GetName() const { return ui.txtName->text(); } + QString GetRoot() const; + void ShowNoCrypt() const { ui.chkNoCrypt->setVisible(true); } + bool IsNoCrypt() const { return ui.chkNoCrypt->isChecked(); } + +private slots: + void OnAccept(); + +private: + Ui::ExtractDialog ui; +}; diff --git a/SandboxiePlus/SandMan/Windows/OptionsAccess.cpp b/SandboxiePlus/SandMan/Windows/OptionsAccess.cpp index 0eb62b24..5688000f 100644 --- a/SandboxiePlus/SandMan/Windows/OptionsAccess.cpp +++ b/SandboxiePlus/SandMan/Windows/OptionsAccess.cpp @@ -58,7 +58,7 @@ void COptionsWindow::OnAccessChangedEx() { if (sender() == ui.chkPrivacy || sender() == ui.chkUseSpecificity) { if (ui.chkPrivacy->isChecked() || (ui.chkUseSpecificity->isEnabled() && ui.chkUseSpecificity->isChecked())) - theGUI->CheckCertificate(this); + theGUI->CheckCertificate(this, 0); } UpdateAccessPolicy(); diff --git a/SandboxiePlus/SandMan/Windows/OptionsAdvanced.cpp b/SandboxiePlus/SandMan/Windows/OptionsAdvanced.cpp index 8b7e4551..5dd02330 100644 --- a/SandboxiePlus/SandMan/Windows/OptionsAdvanced.cpp +++ b/SandboxiePlus/SandMan/Windows/OptionsAdvanced.cpp @@ -33,6 +33,9 @@ void COptionsWindow::CreateAdvanced() connect(ui.chkDropPrivileges, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); connect(ui.chkDropConHostIntegrity, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); + //Do not force untrusted integrity level on the sanboxed token (reduces desktop isolation) + //connect(ui.chkNotUntrusted, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); + connect(ui.chkOpenCOM, SIGNAL(clicked(bool)), this, SLOT(OnOpenCOM())); connect(ui.chkComTimeout, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); @@ -45,6 +48,7 @@ void COptionsWindow::CreateAdvanced() //connect(ui.chkOpenLsaSSPI, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); connect(ui.chkOpenSamEndpoint, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); connect(ui.chkOpenLsaEndpoint, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); + connect(ui.chkOpenWpadEndpoint, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); connect(ui.chkSbieLogon, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); connect(ui.chkCreateToken, SIGNAL(clicked(bool)), this, SLOT(OnAdvancedChanged())); @@ -172,6 +176,9 @@ void COptionsWindow::LoadAdvanced() ui.chkDropPrivileges->setChecked(m_pBox->GetBool("StripSystemPrivileges", true)); ui.chkDropConHostIntegrity->setChecked(m_pBox->GetBool("DropConHostIntegrity", false)); + + //ui.chkNotUntrusted->setChecked(m_pBox->GetBool("NoUntrustedToken", false)); + ui.chkForceRestart->setChecked(m_pBox->GetBool("ForceRestartAll", false)); CheckOpenCOM(); @@ -184,6 +191,7 @@ void COptionsWindow::LoadAdvanced() //ui.chkOpenLsaSSPI->setChecked(!m_pBox->GetBool("BlockPassword", true)); // OpenLsaSSPI ui.chkOpenSamEndpoint->setChecked(m_pBox->GetBool("OpenSamEndpoint", false)); ui.chkOpenLsaEndpoint->setChecked(m_pBox->GetBool("OpenLsaEndpoint", false)); + ui.chkOpenWpadEndpoint->setChecked(m_pBox->GetBool("OpenWPADEndpoint", false)); ui.treeInjectDll->clear(); QStringList InjectDll = m_pBox->GetTextList("InjectDll", false); @@ -326,12 +334,7 @@ void COptionsWindow::LoadAdvanced() ui.chkBlockCapture->setCheckable(QString::compare(str, "*") != 0); ui.chkAdminOnly->setChecked(m_pBox->GetBool("EditAdminOnly", false)); - - /*ui.chkLockWhenClose->setChecked(m_pBox->GetBool("LockWhenClose", false)); - ui.chkLockWhenClose->setCheckable(m_pBox->GetBool("UseFileImage", false)); - ui.chkLockWhenClose->setEnabled(m_pBox->GetBool("UseFileImage", false)); - */ - + QStringList Users = m_pBox->GetText("Enabled").split(","); ui.lstUsers->clear(); if (Users.count() > 1) @@ -430,6 +433,8 @@ void COptionsWindow::SaveAdvanced() WriteAdvancedCheck(ui.chkDropPrivileges, "StripSystemPrivileges", "", "n"); WriteAdvancedCheck(ui.chkDropConHostIntegrity, "DropConHostIntegrity", "y", ""); + //WriteAdvancedCheck(ui.chkNotUntrusted, "NoUntrustedToken", "y", ""); + WriteAdvancedCheck(ui.chkComTimeout, "RpcMgmtSetComTimeout", "n", ""); WriteAdvancedCheck(ui.chkForceRestart, "ForceRestartAll", "y", ""); @@ -441,6 +446,7 @@ void COptionsWindow::SaveAdvanced() //WriteAdvancedCheck(ui.chkOpenLsaSSPI, "BlockPassword", "n", ""); // OpenLsaSSPI WriteAdvancedCheck(ui.chkOpenSamEndpoint, "OpenSamEndpoint", "y", ""); WriteAdvancedCheck(ui.chkOpenLsaEndpoint, "OpenLsaEndpoint", "y", ""); + WriteAdvancedCheck(ui.chkOpenWpadEndpoint, "OpenWPADEndpoint", "y", ""); QStringList InjectDll = m_pBox->GetTextList("InjectDll", false); QStringList InjectDll64 = m_pBox->GetTextList("InjectDll64", false); @@ -616,8 +622,7 @@ void COptionsWindow::SaveAdvanced() WriteAdvancedCheck(ui.chkProtectWindow, "CoverBoxedWindows", "y", ""); WriteAdvancedCheck(ui.chkBlockCapture, "BlockScreenCapture", "y", ""); - //WriteAdvancedCheck(ui.chkLockWhenClose, "LockWhenClose", "y", ""); - + WriteAdvancedCheck(ui.chkAdminOnly, "EditAdminOnly", "y", ""); QStringList Users; @@ -634,7 +639,7 @@ void COptionsWindow::OnIsolationChanged() if (sender() == ui.chkNoSecurityIsolation) { // we can ignore chkNoSecurityFiltering as it requires chkNoSecurityIsolation if (ui.chkNoSecurityIsolation->isChecked()) - theGUI->CheckCertificate(this); + theGUI->CheckCertificate(this, 0); } UpdateBoxIsolation(); @@ -658,10 +663,12 @@ void COptionsWindow::UpdateBoxIsolation() ui.chkOpenDevCMApi->setEnabled(!ui.chkNoSecurityIsolation->isChecked()); ui.chkOpenSamEndpoint->setEnabled(!ui.chkNoSecurityIsolation->isChecked()); ui.chkOpenLsaEndpoint->setEnabled(!ui.chkNoSecurityIsolation->isChecked()); + ui.chkOpenWpadEndpoint->setEnabled(!ui.chkNoSecurityIsolation->isChecked()); ui.chkRawDiskRead->setEnabled(!ui.chkNoSecurityIsolation->isChecked()); // without isolation only user mode ui.chkRawDiskNotify->setEnabled(!ui.chkNoSecurityIsolation->isChecked()); + ui.chkAllowEfs->setEnabled(!ui.chkNoSecurityIsolation->isChecked()); ui.chkBlockNetShare->setEnabled(!ui.chkNoSecurityFiltering->isChecked()); diff --git a/SandboxiePlus/SandMan/Windows/OptionsForce.cpp b/SandboxiePlus/SandMan/Windows/OptionsForce.cpp index a08d3a05..4f03865d 100644 --- a/SandboxiePlus/SandMan/Windows/OptionsForce.cpp +++ b/SandboxiePlus/SandMan/Windows/OptionsForce.cpp @@ -101,6 +101,9 @@ void COptionsWindow::LoadBreakoutTmpl(bool bUpdate) foreach(const QString& Value, m_pBox->GetTextListTmpl("BreakoutFolder", Template)) AddBreakoutEntry(Value, (int)ePath, false, Template); + + foreach(const QString& Value, m_pBox->GetTextListTmpl("BreakoutDocument", Template)) + AddBreakoutEntry(Value, (int)eText, false, Template); } } else if (bUpdate) @@ -145,6 +148,7 @@ void COptionsWindow::AddBreakoutEntry(const QString& Name, int type, bool disabl { case eProcess: Type = tr("Process"); break; case ePath: Type = tr("Folder"); break; + case eText: Type = tr("Document"); break; } pItem->setText(0, Type + (Template.isEmpty() ? "" : (" (" + Template + ")"))); @@ -200,6 +204,8 @@ void COptionsWindow::SaveForced() QStringList BreakoutProcessDisabled; QStringList BreakoutFolder; QStringList BreakoutFolderDisabled; + QStringList BreakoutDocument; + QStringList BreakoutDocumentDisabled; for (int i = 0; i < ui.treeBreakout->topLevelItemCount(); i++) { @@ -212,12 +218,14 @@ void COptionsWindow::SaveForced() switch (Type) { case eProcess: BreakoutProcess.append(pItem->data(1, Qt::UserRole).toString()); break; case ePath: BreakoutFolder.append(pItem->data(1, Qt::UserRole).toString()); break; + case eText: BreakoutDocument.append(pItem->data(1, Qt::UserRole).toString()); break; } } else { switch (Type) { case eProcess: BreakoutProcessDisabled.append(pItem->data(1, Qt::UserRole).toString()); break; case ePath: BreakoutFolderDisabled.append(pItem->data(1, Qt::UserRole).toString()); break; + case eText: BreakoutDocumentDisabled.append(pItem->data(1, Qt::UserRole).toString()); break; } } } @@ -226,7 +234,8 @@ void COptionsWindow::SaveForced() WriteTextList("BreakoutProcessDisabled", BreakoutProcessDisabled); WriteTextList("BreakoutFolder", BreakoutFolder); WriteTextList("BreakoutFolderDisabled", BreakoutFolderDisabled); - + WriteTextList("BreakoutDocument", BreakoutDocument); + WriteTextList("BreakoutDocumentDisabled", BreakoutDocumentDisabled); m_ForcedChanged = false; } @@ -313,6 +322,44 @@ void COptionsWindow::OnBreakoutDir() OnForcedChanged(); } +void COptionsWindow::OnBreakoutDoc() +{ + QString Value = QFileDialog::getExistingDirectory(this, tr("Select Document Directory")).replace("/", "\\"); + if (Value.isEmpty()) + return; + + QString Ext = QInputDialog::getText(this, "Sandboxie-Plus", tr("Please enter Document File Extension.")); + if (Ext.isEmpty()) + return; + + if (Ext.left(1) == ".") + Ext.prepend("*"); + else if (Ext.left(1) != "*") + Ext.prepend("*."); + + if (Ext.right(1) == "*") { + QMessageBox::warning(this, "Sandboxie-Plus", tr("For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets.")); + return; + } + QStringList BannedExt = QString(// from: https://learn.microsoft.com/en-us/troubleshoot/developer/browsers/security-privacy/information-about-the-unsafe-file-list + "*.ade;*.adp;*.app;*.asp;*.bas;*.bat;*.cer;*.chm;*.cmd;*.cnt;*.com;*.cpl;*.crt;*.csh;*.der;*.exe;*.fxp;*.gadget;*.grp;*.hlp;*.hpj;*.hta;" + "*.img;*.inf;*.ins;*.iso;*.isp;*.its;*.js;*.jse;*.ksh;*.lnk;*.mad;*.maf;*.mag;*.mam;*.maq;*.mar;*.mas;*.mat;*.mau;*.mav;*.maw;*.mcf;*.mda;" + "*.mdb;*.mde;*.mdt;*.mdw;*.mdz;*.msc;*.msh;*.msh1;*.msh1xml;*.msh2;*.msh2xml;*.mshxml;*.msi;*.msp;*.mst;*.msu;*.ops;*.pcd;*.pif;*.pl;*.plg;" + "*.prf;*.prg;*.printerexport;*.ps1;*.ps1xml;*.ps2;*.ps2xml;*.psc1;*.psc2;*.psd1;*.psm1;*.pst;*.reg;*.scf;*.scr;*.sct;*.shb;*.shs;*.theme;" + "*.tmp;*.url;*.vb;*.vbe;*.vbp;*.vbs;*.vhd;*.vhdx;*.vsmacros;*.vsw;*.webpnp;*.ws;*.wsc;*.wsf;*.wsh;*.xnk").split(";"); + if (BannedExt.contains(Ext.toLower())) { + QMessageBox::warning(this, "Sansboxie-Plus", tr("For security reasons the specified extension %1 should not be broken out.").arg(Ext)); + // bypass security by holding down Ctr+Alt + if ((QGuiApplication::queryKeyboardModifiers() & (Qt::AltModifier | Qt::ControlModifier)) != (Qt::AltModifier | Qt::ControlModifier)) + return; + } + + Value += "\\" + Ext; + + AddBreakoutEntry(Value, (int)eText); + OnForcedChanged(); +} + void COptionsWindow::OnDelForce() { DeleteAccessEntry(ui.treeForced->currentItem()); diff --git a/SandboxiePlus/SandMan/Windows/OptionsGeneral.cpp b/SandboxiePlus/SandMan/Windows/OptionsGeneral.cpp index fe357174..8b7ad569 100644 --- a/SandboxiePlus/SandMan/Windows/OptionsGeneral.cpp +++ b/SandboxiePlus/SandMan/Windows/OptionsGeneral.cpp @@ -87,17 +87,18 @@ void COptionsWindow::CreateGeneral() } } - if (!CERT_IS_LEVEL(g_CertInfo, eCertStandard)) { - QWidget* ExWidgets[] = { ui.chkSecurityMode, ui.chkLockDown, ui.chkRestrictDevices, - ui.chkPrivacy, ui.chkUseSpecificity, - ui.chkNoSecurityIsolation, ui.chkNoSecurityFiltering, ui.chkHostProtect, ui.chkRamBox, NULL }; + if (!g_CertInfo.opt_sec) { + QWidget* ExWidgets[] = { ui.chkSecurityMode, ui.chkLockDown, ui.chkRestrictDevices, ui.chkPrivacy, ui.chkUseSpecificity, ui.chkNoSecurityIsolation, ui.chkNoSecurityFiltering, ui.chkHostProtect, NULL }; for (QWidget** ExWidget = ExWidgets; *ExWidget != NULL; ExWidget++) COptionsWindow__AddCertIcon(*ExWidget); } - if (!CERT_IS_LEVEL(g_CertInfo, eCertStandard2)) + if (!g_CertInfo.active) + COptionsWindow__AddCertIcon(ui.chkRamBox, true); + if (!g_CertInfo.opt_enc) { COptionsWindow__AddCertIcon(ui.chkConfidential, true); - if (!CERT_IS_LEVEL(g_CertInfo, eCertAdvanced1)) COptionsWindow__AddCertIcon(ui.chkEncrypt, true); + COptionsWindow__AddCertIcon(ui.chkAllowEfs, true); + } m_HoldBoxType = false; @@ -157,6 +158,7 @@ void COptionsWindow::CreateGeneral() connect(ui.chkDropRights, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); connect(ui.chkFakeElevation, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); connect(ui.chkMsiExemptions, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); + connect(ui.chkACLs, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); connect(ui.chkBlockSpooler, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); connect(ui.chkOpenSpooler, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); @@ -228,6 +230,8 @@ void COptionsWindow::CreateGeneral() connect(ui.chkRawDiskRead, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); connect(ui.chkRawDiskNotify, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); + + connect(ui.chkAllowEfs, SIGNAL(clicked(bool)), this, SLOT(OnGeneralChanged())); connect(ui.btnAddCmd, SIGNAL(clicked(bool)), this, SLOT(OnAddCommand())); QMenu* pRunBtnMenu = new QMenu(ui.btnAddCmd); @@ -277,6 +281,7 @@ void COptionsWindow::LoadGeneral() ui.chkDropRights->setChecked(m_pBox->GetBool("DropAdminRights", false)); ui.chkFakeElevation->setChecked(m_pBox->GetBool("FakeAdminRights", false)); ui.chkMsiExemptions->setChecked(m_pBox->GetBool("MsiInstallerExemptions", false)); + ui.chkACLs->setChecked(m_pBox->GetBool("UseOriginalACLs", false)); ui.chkBlockSpooler->setChecked(m_pBox->GetBool("ClosePrintSpooler", false)); ui.chkOpenSpooler->setChecked(m_pBox->GetBool("OpenPrintSpooler", false)); @@ -335,10 +340,10 @@ void COptionsWindow::LoadGeneral() ui.chkForceProtection->setChecked(m_pBox->GetBool("ForceProtectionOnMount", false)); ui.chkUserOperation->setChecked(m_pBox->GetBool("BlockInterferenceControl", false)); ui.chkCoverBar->setChecked(m_pBox->GetBool("AllowCoverTaskbar", false)); - if (ui.chkRamBox->isEnabled()) { + if (ui.chkRamBox->isEnabled()) ui.chkEncrypt->setEnabled(!ui.chkRamBox->isChecked()); - ui.chkForceProtection->setEnabled(!ui.chkRamBox->isChecked()); - } + ui.chkForceProtection->setEnabled(ui.chkEncrypt->isEnabled() && ui.chkEncrypt->isChecked()); + CSandBoxPlus* pBoxEx = qobject_cast(m_pBox.data()); if (pBoxEx && QFile::exists(pBoxEx->GetBoxImagePath())) { @@ -374,6 +379,8 @@ void COptionsWindow::LoadGeneral() ui.chkRawDiskRead->setChecked(m_pBox->GetBool("AllowRawDiskRead", false)); ui.chkRawDiskNotify->setChecked(m_pBox->GetBool("NotifyDirectDiskAccess", false)); + ui.chkAllowEfs->setChecked(m_pBox->GetBool("EnableEFS", false)); + OnGeneralChanged(); m_GeneralChanged = false; @@ -417,6 +424,7 @@ void COptionsWindow::SaveGeneral() WriteAdvancedCheck(ui.chkDropRights, "DropAdminRights", "y", ""); WriteAdvancedCheck(ui.chkFakeElevation, "FakeAdminRights", "y", ""); WriteAdvancedCheck(ui.chkMsiExemptions, "MsiInstallerExemptions", "y", ""); + WriteAdvancedCheck(ui.chkACLs, "UseOriginalACLs", "y", ""); WriteAdvancedCheck(ui.chkBlockSpooler, "ClosePrintSpooler", "y", ""); WriteAdvancedCheck(ui.chkOpenSpooler, "OpenPrintSpooler", "y", ""); @@ -504,6 +512,8 @@ void COptionsWindow::SaveGeneral() WriteAdvancedCheck(ui.chkRawDiskRead, "AllowRawDiskRead", "y", ""); WriteAdvancedCheck(ui.chkRawDiskNotify, "NotifyDirectDiskAccess", "y", ""); + WriteAdvancedCheck(ui.chkAllowEfs, "EnableEFS", "y", ""); + m_GeneralChanged = false; } @@ -834,7 +844,7 @@ void COptionsWindow::UpdateBoxSecurity() void COptionsWindow::OnSecurityMode() { if (ui.chkSecurityMode->isChecked() || (ui.chkLockDown->isEnabled() && ui.chkLockDown->isChecked()) || (ui.chkRestrictDevices->isEnabled() && ui.chkRestrictDevices->isChecked())) - theGUI->CheckCertificate(this); + theGUI->CheckCertificate(this, 0); UpdateBoxSecurity(); @@ -1147,6 +1157,8 @@ void COptionsWindow::OnDiskChanged() ui.chkForceProtection->setEnabled(ui.chkEncrypt->isChecked()); } + ui.chkForceProtection->setEnabled(ui.chkEncrypt->isEnabled() && ui.chkEncrypt->isChecked()); + OnGeneralChanged(); } diff --git a/SandboxiePlus/SandMan/Windows/OptionsNetwork.cpp b/SandboxiePlus/SandMan/Windows/OptionsNetwork.cpp index c6ac57b2..d62dd43d 100644 --- a/SandboxiePlus/SandMan/Windows/OptionsNetwork.cpp +++ b/SandboxiePlus/SandMan/Windows/OptionsNetwork.cpp @@ -62,7 +62,7 @@ void COptionsWindow::CreateNetwork() connect(ui.tabsInternet, SIGNAL(currentChanged(int)), this, SLOT(OnInternetTab())); - if (!CERT_IS_LEVEL(g_CertInfo, eCertAdvanced)) { + if (!g_CertInfo.opt_net) { ui.tabDNS->setEnabled(false); ui.tabNetProxy->setEnabled(false); } @@ -1055,7 +1055,7 @@ void COptionsWindow::SaveNetProxy() if(res.IsError()) Tags.append("Password=" + Pass); else - Tags.append("EncryptedPW=" + res.GetValue().toBase64(QByteArray::OmitTrailingEquals)); + Tags.append("EncryptedPW=" + res.GetValue().toBase64(QByteArray::KeepTrailingEquals)); } Tags.append("Bypass=" + Bypass); diff --git a/SandboxiePlus/SandMan/Windows/OptionsWindow.cpp b/SandboxiePlus/SandMan/Windows/OptionsWindow.cpp index a419c82b..78c117eb 100644 --- a/SandboxiePlus/SandMan/Windows/OptionsWindow.cpp +++ b/SandboxiePlus/SandMan/Windows/OptionsWindow.cpp @@ -8,6 +8,7 @@ #include "../MiscHelpers/Common/SettingsWidgets.h" #include "Helpers/WinAdmin.h" #include "../Wizards/TemplateWizard.h" +#include "Helpers/TabOrder.h" class NoEditDelegate : public QStyledItemDelegate { @@ -374,6 +375,7 @@ COptionsWindow::COptionsWindow(const QSharedPointer& pBox, const QStri AddIconToLabel(ui.lblLimit, CSandMan::GetIcon("Job2").pixmap(size,size)); AddIconToLabel(ui.lblSecurity, CSandMan::GetIcon("Shield5").pixmap(size,size)); AddIconToLabel(ui.lblElevation, CSandMan::GetIcon("Shield9").pixmap(size,size)); + AddIconToLabel(ui.lblACLs, CSandMan::GetIcon("Ampel").pixmap(size,size)); AddIconToLabel(ui.lblBoxProtection, CSandMan::GetIcon("BoxConfig").pixmap(size,size)); AddIconToLabel(ui.lblNetwork, CSandMan::GetIcon("Network").pixmap(size,size)); AddIconToLabel(ui.lblPrinting, CSandMan::GetIcon("Printer").pixmap(size,size)); @@ -394,6 +396,10 @@ COptionsWindow::COptionsWindow(const QSharedPointer& pBox, const QStri AddIconToLabel(ui.lblIsolation, CSandMan::GetIcon("Fence").pixmap(size,size)); AddIconToLabel(ui.lblAccess, CSandMan::GetIcon("NoAccess").pixmap(size,size)); AddIconToLabel(ui.lblProtection, CSandMan::GetIcon("EFence").pixmap(size,size)); + + AddIconToLabel(ui.lblPrivacyProtection, CSandMan::GetIcon("Anon").pixmap(size,size)); + AddIconToLabel(ui.lblProcessHiding, CSandMan::GetIcon("Cmd").pixmap(size,size)); + AddIconToLabel(ui.lblMonitor, CSandMan::GetIcon("Monitor").pixmap(size,size)); AddIconToLabel(ui.lblTracing, CSandMan::GetIcon("SetLogging").pixmap(size,size)); @@ -472,6 +478,7 @@ COptionsWindow::COptionsWindow(const QSharedPointer& pBox, const QStri pFileBtnMenu->addAction(tr("Browse for File"), this, SLOT(OnForceBrowseChild())); ui.btnForceChild->setPopupMode(QToolButton::MenuButtonPopup); ui.btnForceChild->setMenu(pFileBtnMenu); + connect(ui.btnForceDir, SIGNAL(clicked(bool)), this, SLOT(OnForceDir())); connect(ui.btnDelForce, SIGNAL(clicked(bool)), this, SLOT(OnDelForce())); connect(ui.chkShowForceTmpl, SIGNAL(clicked(bool)), this, SLOT(OnShowForceTmpl())); @@ -487,6 +494,7 @@ COptionsWindow::COptionsWindow(const QSharedPointer& pBox, const QStri ui.btnBreakoutProg->setPopupMode(QToolButton::MenuButtonPopup); ui.btnBreakoutProg->setMenu(pFileBtnMenu2); connect(ui.btnBreakoutDir, SIGNAL(clicked(bool)), this, SLOT(OnBreakoutDir())); + connect(ui.btnBreakoutDoc, SIGNAL(clicked(bool)), this, SLOT(OnBreakoutDoc())); connect(ui.btnDelBreakout, SIGNAL(clicked(bool)), this, SLOT(OnDelBreakout())); connect(ui.chkShowBreakoutTmpl, SIGNAL(clicked(bool)), this, SLOT(OnShowBreakoutTmpl())); //ui.treeBreakout->setEditTriggers(QAbstractItemView::DoubleClicked); @@ -643,8 +651,7 @@ COptionsWindow::COptionsWindow(const QSharedPointer& pBox, const QStri m_HoldChange = false; } else { - //this->setMinimumHeight(490); - this->setMinimumHeight(390); + //this->setMinimumHeight(390); QWidget* pSearch = AddConfigSearch(ui.tabs); ui.horizontalLayout->insertWidget(0, pSearch); @@ -659,6 +666,8 @@ COptionsWindow::COptionsWindow(const QSharedPointer& pBox, const QStri this->addAction(pSetTree); } m_pSearch->setPlaceholderText(tr("Search for options")); + + SetTabOrder(this); } void COptionsWindow::ApplyIniEditFont() diff --git a/SandboxiePlus/SandMan/Windows/OptionsWindow.h b/SandboxiePlus/SandMan/Windows/OptionsWindow.h index a5209695..051ff8b6 100644 --- a/SandboxiePlus/SandMan/Windows/OptionsWindow.h +++ b/SandboxiePlus/SandMan/Windows/OptionsWindow.h @@ -97,6 +97,7 @@ private slots: void OnBreakoutProg(); void OnBreakoutBrowse(); void OnBreakoutDir(); + void OnBreakoutDoc(); void OnDelBreakout(); void OnShowBreakoutTmpl() { LoadBreakoutTmpl(true); } void OnBreakoutChanged(QTreeWidgetItem *pItem, int); diff --git a/SandboxiePlus/SandMan/Windows/PopUpWindow.cpp b/SandboxiePlus/SandMan/Windows/PopUpWindow.cpp index 16b2142e..aa105f5c 100644 --- a/SandboxiePlus/SandMan/Windows/PopUpWindow.cpp +++ b/SandboxiePlus/SandMan/Windows/PopUpWindow.cpp @@ -248,7 +248,7 @@ void CPopUpWindow::ReloadHiddenMessages() void CPopUpWindow::OnDismissMessage() { - CPopUpMessage* pEntry = qobject_cast(sender()); + CPopUpEntry* pEntry = qobject_cast(sender()); RemoveEntry(pEntry); } @@ -305,7 +305,7 @@ void CPopUpWindow::AddUserPrompt(quint32 RequestId, const QVariantMap& Data, qui if (retval != -1) { Result["retval"] = retval; - theAPI->SendReplyData(RequestId, Result); + theAPI->SendQueueRpl(RequestId, Result); return; } @@ -368,7 +368,7 @@ void CPopUpWindow::SendPromptResult(CPopUpPrompt* pEntry, int retval) return; pEntry->m_Result["retval"] = retval; - theAPI->SendReplyData(pEntry->m_RequestId, pEntry->m_Result); + theAPI->SendQueueRpl(pEntry->m_RequestId, pEntry->m_Result); if (pEntry->m_pRemember->isChecked()) pEntry->m_pProcess.objectCast()->SetRememberedAction(pEntry->m_Result["id"].toInt(), retval); diff --git a/SandboxiePlus/SandMan/Windows/PopUpWindow.h b/SandboxiePlus/SandMan/Windows/PopUpWindow.h index 1a2c21b4..ffe95798 100644 --- a/SandboxiePlus/SandMan/Windows/PopUpWindow.h +++ b/SandboxiePlus/SandMan/Windows/PopUpWindow.h @@ -123,6 +123,7 @@ public: m_pLabel = new QLabel(Message); m_pLabel->setToolTip(Message); m_pLabel->setSizePolicy(QSizePolicy::Ignored, QSizePolicy::Maximum); + connect(m_pLabel, SIGNAL(linkActivated(const QString&)), theGUI, SLOT(OpenUrl(const QString&))); m_pMainLayout->addWidget(m_pLabel, 0, 0, 1, 5); m_pRemember = new QCheckBox(tr("Remember for this process")); diff --git a/SandboxiePlus/SandMan/Windows/RecoveryWindow.cpp b/SandboxiePlus/SandMan/Windows/RecoveryWindow.cpp index 5551174f..a4ac3ac9 100644 --- a/SandboxiePlus/SandMan/Windows/RecoveryWindow.cpp +++ b/SandboxiePlus/SandMan/Windows/RecoveryWindow.cpp @@ -242,10 +242,12 @@ void CRecoveryWindow::OnDelete() { QMap FileMap = GetFiles(); - if (FileMap.isEmpty()) + if (FileMap.isEmpty()) { + QMessageBox::information(this, "Sandboxie-Plus", tr("No Files selected!"), QMessageBox::Ok); return; + } - if (QMessageBox::Yes != QMessageBox("Sandboxie-Plus", tr("Do you really want to delete %1 selected files?").arg(FileMap.count()), QMessageBox::Question, QMessageBox::Yes, QMessageBox::No | QMessageBox::Default | QMessageBox::Escape, QMessageBox::NoButton, this).exec()) + if (QMessageBox::question(this, "Sandboxie-Plus", tr("Do you really want to delete %1 selected files?").arg(FileMap.count()), QMessageBox::Yes, QMessageBox::No | QMessageBox::Default | QMessageBox::Escape, QMessageBox::NoButton) != QMessageBox::Yes) return; foreach(const QString & FilePath, FileMap.keys()) diff --git a/SandboxiePlus/SandMan/Windows/SettingsWindow.cpp b/SandboxiePlus/SandMan/Windows/SettingsWindow.cpp index 108d55e6..3d0e1f02 100644 --- a/SandboxiePlus/SandMan/Windows/SettingsWindow.cpp +++ b/SandboxiePlus/SandMan/Windows/SettingsWindow.cpp @@ -17,6 +17,7 @@ #include #include #include +#include "Helpers/TabOrder.h" #include @@ -283,6 +284,14 @@ CSettingsWindow::CSettingsWindow(QWidget* parent) ui.cmbRamLetter->addItem(QString("%1:\\").arg(QChar(search))); } + ui.fileRoot->addItem("\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%"); + ui.fileRoot->addItem("\\??\\%SystemDrive%\\Sandbox\\%SANDBOX%"); + ui.fileRoot->addItem("\\??\\%SystemDrive%\\Users\\%USER%\\Sandbox\\%SANDBOX%"); + + ui.regRoot->addItem("\\REGISTRY\\USER\\Sandbox_%USER%_%SANDBOX%"); + + ui.ipcRoot->addItem("\\Sandbox\\%USER%\\%SANDBOX%\\Session_%SESSION%"); + CPathEdit* pEditor = new CPathEdit(); ui.txtEditor->parentWidget()->layout()->replaceWidget(ui.txtEditor, pEditor); ui.txtEditor->deleteLater(); @@ -416,10 +425,11 @@ CSettingsWindow::CSettingsWindow(QWidget* parent) // Advanced Config connect(ui.cmbDefault, SIGNAL(currentIndexChanged(int)), this, SLOT(OnGeneralChanged())); connect(ui.chkAutoRoot, SIGNAL(stateChanged(int)), this, SLOT(OnRootChanged())); // not sbie ini - connect(ui.fileRoot, SIGNAL(textChanged(const QString&)), this, SLOT(OnGeneralChanged())); - connect(ui.regRoot, SIGNAL(textChanged(const QString&)), this, SLOT(OnGeneralChanged())); - connect(ui.ipcRoot, SIGNAL(textChanged(const QString&)), this, SLOT(OnGeneralChanged())); - + connect(ui.fileRoot, SIGNAL(currentTextChanged(const QString&)), this, SLOT(OnGeneralChanged())); + connect(ui.chkLockBox, SIGNAL(stateChanged(int)), this, SLOT(OnGeneralChanged())); + connect(ui.regRoot, SIGNAL(currentTextChanged(const QString&)), this, SLOT(OnGeneralChanged())); + connect(ui.ipcRoot, SIGNAL(currentTextChanged(const QString&)), this, SLOT(OnGeneralChanged())); + connect(ui.chkWFP, SIGNAL(stateChanged(int)), this, SLOT(OnFeaturesChanged())); connect(ui.chkObjCb, SIGNAL(stateChanged(int)), this, SLOT(OnFeaturesChanged())); if (CurrentVersion.value("CurrentBuild").toInt() < 14393) // Windows 10 RS1 and later @@ -582,7 +592,7 @@ CSettingsWindow::CSettingsWindow(QWidget* parent) connect(ui.buttonBox->button(QDialogButtonBox::Apply), SIGNAL(clicked(bool)), this, SLOT(apply())); connect(ui.buttonBox, SIGNAL(rejected()), this, SLOT(reject())); - if (!CERT_IS_LEVEL(g_CertInfo, eCertStandard)) { + if (!g_CertInfo.active) { //COptionsWindow__AddCertIcon(ui.chkUpdateTemplates); COptionsWindow__AddCertIcon(ui.chkUpdateIssues); COptionsWindow__AddCertIcon(ui.chkRamDisk); @@ -619,6 +629,8 @@ CSettingsWindow::CSettingsWindow(QWidget* parent) this->addAction(pSetTree); } m_pSearch->setPlaceholderText(tr("Search for settings")); + + SetTabOrder(this); } void CSettingsWindow::ApplyIniEditFont() @@ -1008,10 +1020,11 @@ void CSettingsWindow::LoadSettings() QString KeyRootPath_Default = "\\REGISTRY\\USER\\Sandbox_%USER%_%SANDBOX%"; QString IpcRootPath_Default = "\\Sandbox\\%USER%\\%SANDBOX%\\Session_%SESSION%"; - ui.fileRoot->setText(theAPI->GetGlobalSettings()->GetText("FileRootPath", FileRootPath_Default)); + ui.fileRoot->setCurrentText(theAPI->GetGlobalSettings()->GetText("FileRootPath", FileRootPath_Default)); + ui.chkLockBox->setChecked(theAPI->GetGlobalSettings()->GetBool("LockBoxToUser", false)); //ui.chkSeparateUserFolders->setChecked(theAPI->GetGlobalSettings()->GetBool("SeparateUserFolders", true)); - ui.regRoot->setText(theAPI->GetGlobalSettings()->GetText("KeyRootPath", KeyRootPath_Default)); - ui.ipcRoot->setText(theAPI->GetGlobalSettings()->GetText("IpcRootPath", IpcRootPath_Default)); + ui.regRoot->setCurrentText(theAPI->GetGlobalSettings()->GetText("KeyRootPath", KeyRootPath_Default)); + ui.ipcRoot->setCurrentText(theAPI->GetGlobalSettings()->GetText("IpcRootPath", IpcRootPath_Default)); ui.chkRamDisk->setEnabled(bImDiskReady); quint32 uDiskLimit = theAPI->GetGlobalSettings()->GetNum64("RamDiskSizeKb"); @@ -1076,6 +1089,7 @@ void CSettingsWindow::LoadSettings() ui.fileRoot->setEnabled(false); //ui.chkSeparateUserFolders->setEnabled(false); ui.chkAutoRoot->setEnabled(false); + ui.chkLockBox->setEnabled(false); ui.chkWFP->setEnabled(false); ui.chkObjCb->setEnabled(false); ui.chkWin32k->setEnabled(false); @@ -1156,7 +1170,7 @@ void CSettingsWindow::OnRamDiskChange() { if (sender() == ui.chkRamDisk) { if (ui.chkRamDisk->isChecked()) - theGUI->CheckCertificate(this); + theGUI->CheckCertificate(this, -1); } if (ui.chkRamDisk->isChecked() && ui.txtRamLimit->text().isEmpty()) @@ -1179,7 +1193,7 @@ void CSettingsWindow::OnVolumeChanged() { if (sender() == ui.chkSandboxUsb) { if (ui.chkSandboxUsb->isChecked()) - theGUI->CheckCertificate(this); + theGUI->CheckCertificate(this, -1); } ui.cmbUsbSandbox->setEnabled(ui.chkSandboxUsb->isChecked() && g_CertInfo.active); @@ -1328,7 +1342,7 @@ void CSettingsWindow::UpdateCert() if(g_CertInfo.expirers_in_sec > 0) Info.append(tr("Expires in: %1 days").arg(g_CertInfo.expirers_in_sec / (60*60*24))); else if(g_CertInfo.expirers_in_sec < 0) - Info.append(tr("Expired: %1 days ago").arg(g_CertInfo.expirers_in_sec / (60*60*24))); + Info.append(tr("Expired: %1 days ago").arg(-g_CertInfo.expirers_in_sec / (60*60*24))); QStringList Options; if (g_CertInfo.opt_sec) Options.append("SBox"); @@ -1757,10 +1771,7 @@ void CSettingsWindow::SaveSettings() theConf->SetValue("Options/OnClose", ui.cmbOnClose->currentData()); theConf->SetValue("Options/MinimizeToTray", ui.chkMinimize->isChecked()); theConf->SetValue("Options/TraySingleClick", ui.chkSingleShow->isChecked()); - //if (ui.chkForceExplorerChild->isChecked()) - // theAPI->GetGlobalSettings()->SetText("ForceExplorerChild", theAPI->GetGlobalSettings()->GetText("DefaultBox")); - //else if (theAPI->GetGlobalSettings()->GetText("ForceExplorerChild").compare(theAPI->GetGlobalSettings()->GetText("DefaultBox")) == 0) - // theAPI->GetGlobalSettings()->DelValue("ForceExplorerChild"); + if (theAPI->IsConnected()) { try @@ -1800,10 +1811,11 @@ void CSettingsWindow::SaveSettings() WriteText("DefaultBox", ui.cmbDefault->currentData().toString()); - WriteText("FileRootPath", ui.fileRoot->text()); //ui.fileRoot->setText("\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%"); + WriteText("FileRootPath", ui.fileRoot->currentText()); //ui.fileRoot->setText("\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%"); + WriteAdvancedCheck(ui.chkLockBox, "LockBoxToUser", "y", ""); //WriteAdvancedCheck(ui.chkSeparateUserFolders, "SeparateUserFolders", "", "n"); - WriteText("KeyRootPath", ui.regRoot->text()); //ui.regRoot->setText("\\REGISTRY\\USER\\Sandbox_%USER%_%SANDBOX%"); - WriteText("IpcRootPath", ui.ipcRoot->text()); //ui.ipcRoot->setText("\\Sandbox\\%USER%\\%SANDBOX%\\Session_%SESSION%"); + WriteText("KeyRootPath", ui.regRoot->currentText()); //ui.regRoot->setText("\\REGISTRY\\USER\\Sandbox_%USER%_%SANDBOX%"); + WriteText("IpcRootPath", ui.ipcRoot->currentText()); //ui.ipcRoot->setText("\\Sandbox\\%USER%\\%SANDBOX%\\Session_%SESSION%"); WriteText("RamDiskSizeKb", ui.chkRamDisk->isChecked() ? ui.txtRamLimit->text() : ""); WriteText("RamDiskLetter", ui.chkRamLetter->isChecked() ? ui.cmbRamLetter->currentText() : ""); @@ -2132,7 +2144,7 @@ void CSettingsWindow::OnBrowse() if (Value.isEmpty()) return; - ui.fileRoot->setText(Value + "\\%SANDBOX%"); + ui.fileRoot->setCurrentText(Value + "\\%SANDBOX%"); } void CSettingsWindow::OnRootChanged() diff --git a/SandboxiePlus/SandMan/Wizards/NewBoxWizard.cpp b/SandboxiePlus/SandMan/Wizards/NewBoxWizard.cpp index e9140d67..826083be 100644 --- a/SandboxiePlus/SandMan/Wizards/NewBoxWizard.cpp +++ b/SandboxiePlus/SandMan/Wizards/NewBoxWizard.cpp @@ -100,12 +100,18 @@ SB_STATUS CNewBoxWizard::TryToCreateBox() // SharedTemplate QElapsedTimer timer; timer.start(); - const QString templateName = "SharedTemplate"; + + int SharedTemplateIndex = field("sharedTemplateIndex").toInt(); + const QString templateName = (SharedTemplateIndex == 0) + ? QString("SharedTemplate") + : QString("SharedTemplate_%1").arg(SharedTemplateIndex); const QString templateFullName = "Template_Local_" + templateName; const QString templateSettings = theAPI->SbieIniGetEx(templateFullName, ""); const QStringList templateSettingsLines = templateSettings.split(QRegularExpression(QStringLiteral("[\r\n]")), Qt::SkipEmptyParts); const QString templateComment = tr("Add your settings after this line."); - const QString templateTitle = tr("Shared Template"); + const QString templateTitle = (SharedTemplateIndex == 0) + ? tr("Shared Template") + : tr("Shared Template") + " " + QString::number(SharedTemplateIndex); const QString boxSettings = theAPI->SbieIniGetEx(BoxName, ""); const QStringList boxSettingsLines = boxSettings.split(QRegularExpression(QStringLiteral("[\r\n]")), Qt::SkipEmptyParts); const QStringList SPECIAL_SETTINGS = { "BorderColor", "BoxIcon", "ConfigLevel", "CopyLimitKb" }; @@ -679,6 +685,14 @@ void CFilesPage::initializePage() m_pBoxLocation->clear(); QString Location = theAPI->GetGlobalSettings()->GetText("FileRootPath", "\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%"); m_pBoxLocation->addItem(Location/*.replace("%SANDBOX%", field("boxName").toString())*/); + QStringList StdLocations = QStringList() + << "\\??\\%SystemDrive%\\Sandbox\\%USER%\\%SANDBOX%" + << "\\??\\%SystemDrive%\\Sandbox\\%SANDBOX%" + << "\\??\\%SystemDrive%\\Users\\%USER%\\Sandbox\\%SANDBOX%"; + foreach(auto StdLocation, StdLocations) { + if (StdLocation != Location) + m_pBoxLocation->addItem(StdLocation); + } } bool CFilesPage::validatePage() @@ -896,22 +910,68 @@ CAdvancedPage::CAdvancedPage(QWidget *parent) QString SharedTemplateTip1 = tr("This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template."); QString SharedTemplateTip2 = tr("This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template."); QString SharedTemplateTip3 = tr("This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template."); - QComboBox* pSharedTemplate = new QComboBox(); - pSharedTemplate->addItem(tr("Disabled")); - pSharedTemplate->setItemData(0, SharedTemplateTip0, Qt::ToolTipRole); - pSharedTemplate->addItem(tr("Use as a template")); - pSharedTemplate->setItemData(1, SharedTemplateTip1, Qt::ToolTipRole); - pSharedTemplate->addItem(tr("Append to the configuration")); - pSharedTemplate->setItemData(2, SharedTemplateTip2, Qt::ToolTipRole); - pSharedTemplate->addItem(tr("Remove defaults if set")); - pSharedTemplate->setItemData(3, SharedTemplateTip3, Qt::ToolTipRole); - layout->addWidget(pSharedTemplate, row++, 2); - pSharedTemplate->setCurrentIndex(theConf->GetInt("BoxDefaults/SharedTemplate", 0)); + m_pSharedTemplate = new QComboBox(); + m_pSharedTemplate->addItem(tr("Disabled")); + m_pSharedTemplate->setItemData(0, SharedTemplateTip0, Qt::ToolTipRole); + m_pSharedTemplate->addItem(tr("Use as a template")); + m_pSharedTemplate->setItemData(1, SharedTemplateTip1, Qt::ToolTipRole); + m_pSharedTemplate->addItem(tr("Append to the configuration")); + m_pSharedTemplate->setItemData(2, SharedTemplateTip2, Qt::ToolTipRole); + m_pSharedTemplate->addItem(tr("Remove defaults if set")); + m_pSharedTemplate->setItemData(3, SharedTemplateTip3, Qt::ToolTipRole); + layout->addWidget(m_pSharedTemplate, row++, 2); + m_pSharedTemplate->setCurrentIndex(theConf->GetInt("BoxDefaults/SharedTemplate", 0)); layout->addItem(new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum), 0, 4, 1, 1); - registerField("sharedTemplate", pSharedTemplate); + registerField("sharedTemplate", m_pSharedTemplate); + + QLabel* pSharedTemplateIndexLbl = new QLabel(tr("Shared template selection"), this); + layout->addWidget(pSharedTemplateIndexLbl, row, 1); + + m_pSharedTemplateIndex = new QComboBox(); + QStringList templateOptions; + QStringList templateToolTips; + + for (int i = 0; i <= 9; ++i) { + QString templateName = (i == 0) + ? QString("SharedTemplate") + : QString("SharedTemplate_%1").arg(i); + QString templateFullName = "Template_Local_" + templateName; + QString templateTitle = theAPI->SbieIniGetEx(templateFullName, "Tmpl.Title"); + + // Determine the template name, including the index if not zero + QString templateNameCustom = templateTitle.isEmpty() + ? (i == 0 ? SharedTemplateName : SharedTemplateName + " " + QString::number(i)) + : templateTitle; + + templateOptions << templateNameCustom; + + // Set tooltip text using the combined template name + QString toolTipText = tr("This option specifies the template to be used in shared template mode. (%1)").arg(templateFullName); + templateToolTips << toolTipText; + } + + // Set options to the combobox + m_pSharedTemplateIndex->addItems(templateOptions); + + // Set tooltips for each item + for (int i = 0; i < templateOptions.size(); ++i) { + m_pSharedTemplateIndex->setItemData(i, templateToolTips[i], Qt::ToolTipRole); + } + + layout->addWidget(m_pSharedTemplateIndex, row++, 2); + m_pSharedTemplateIndex->setCurrentIndex(theConf->GetInt("BoxDefaults/SharedTemplateIndex", 0)); + registerField("sharedTemplateIndex", m_pSharedTemplateIndex); + setLayout(layout); + // Connect the combo box signal to the slot + connect(m_pSharedTemplate, qOverload(&QComboBox::currentIndexChanged), + this, &CAdvancedPage::OnSharedTemplateIndexChanged); + + // Initial call to set the state based on the default index + OnSharedTemplateIndexChanged(m_pSharedTemplate->currentIndex()); + int size = 16.0; #if QT_VERSION < QT_VERSION_CHECK(6, 0, 0) @@ -920,6 +980,14 @@ CAdvancedPage::CAdvancedPage(QWidget *parent) AddIconToLabel(pBoxLabel, CSandMan::GetIcon("Advanced").pixmap(size,size)); } +void CAdvancedPage::OnSharedTemplateIndexChanged(int index) +{ + if (m_pSharedTemplateIndex) { + bool enable = (index != 0); + m_pSharedTemplateIndex->setEnabled(enable); + } +} + int CAdvancedPage::nextId() const { return CNewBoxWizard::Page_Summary; @@ -1035,6 +1103,7 @@ bool CSummaryPage::validatePage() theConf->SetValue("BoxDefaults/ImagesProtection", field("imagesProtection").toBool()); theConf->SetValue("BoxDefaults/CoverBoxedWindows", field("coverBoxedWindows").toBool()); theConf->SetValue("BoxDefaults/SharedTemplate", field("sharedTemplate").toInt()); + theConf->SetValue("BoxDefaults/SharedTemplateIndex", field("sharedTemplateIndex").toInt()); } theConf->SetValue("Options/InstantBoxWizard", m_pSetInstant->isChecked()); diff --git a/SandboxiePlus/SandMan/Wizards/NewBoxWizard.h b/SandboxiePlus/SandMan/Wizards/NewBoxWizard.h index f675bb41..667b326a 100644 --- a/SandboxiePlus/SandMan/Wizards/NewBoxWizard.h +++ b/SandboxiePlus/SandMan/Wizards/NewBoxWizard.h @@ -145,7 +145,12 @@ public: void initializePage() override; bool validatePage() override; +private slots: + void OnSharedTemplateIndexChanged(int index); + private: + QComboBox* m_pSharedTemplate; + QComboBox* m_pSharedTemplateIndex; }; diff --git a/SandboxiePlus/SandMan/sandman_ar.ts b/SandboxiePlus/SandMan/sandman_ar.ts new file mode 100644 index 00000000..84437760 --- /dev/null +++ b/SandboxiePlus/SandMan/sandman_ar.ts @@ -0,0 +1,10220 @@ + + + + + BoxImageWindow + + + Form + استمارة + + + + kilobytes + كيلوبايت + + + + Protect Box Root from access by unsandboxed processes + حماية جذر الصندوق من الوصول إليه بواسطة العمليات غير الخاضعة للحماية + + + + + TextLabel + اسم النص + + + + Show Password + إظهار كلمة المرور + + + + Enter Password + أدخل كلمة المرور + + + + New Password + كلمة مرور جديدة + + + + Repeat Password + تكرار كلمة المرور + + + + Disk Image Size + حجم صورة القرص + + + + Encryption Cipher + تشفير التشفير + + + + Lock the box when all processes stop. + قم بقفل الصندوق عند توقف جميع العمليات. + + + + CAddonManager + + + Do you want to download and install %1? + هل تريد تنزيل %1 وتثبيته؟ + + + + Installing: %1 + جاري تثبيت: %1 + + + + Add-on not found, please try updating the add-on list in the global settings! + لم يتم العثور على الوظيفة الإضافية، يرجى محاولة تحديث قائمة الوظائف الإضافية في الإعدادات العامة! + + + + Add-on Not Found + لم يتم العثور على الوظيفة الإضافية + + + + Add-on is not available for this platform + Addon is not available for this paltform + الوظيفة الإضافية غير متوفرة لهذه المنصة + + + + Missing installation instructions + Missing instalation instructions + إرشادات التثبيت مفقودة + + + + Executing add-on setup failed + فشل تنفيذ إعداد الوظيفة الإضافية + + + + Failed to delete a file during add-on removal + فشل حذف ملف أثناء إزالة الوظيفة الإضافية + + + + Updater failed to perform add-on operation + Updater failed to perform plugin operation + فشل المحدث في تنفيذ عملية الوظيفة الإضافية + + + + Updater failed to perform add-on operation, error: %1 + Updater failed to perform plugin operation, error: %1 + فشل المحدث في تنفيذ عملية الوظيفة الإضافية، الخطأ: %1 + + + + Do you want to remove %1? + هل تريد إزالة %1؟ + + + + Removing: %1 + جارٍ الإزالة: %1 + + + + Add-on not found! + لم يتم العثور على الوظيفة الإضافية! + + + + CAdvancedPage + + + Advanced Sandbox options + خيارات صندوق العزل المتقدمة + + + + On this page advanced sandbox options can be configured. + يمكن تكوين خيارات صندوق العزل المتقدمة في هذه الصفحة. + + + + Prevent sandboxed programs on the host from loading sandboxed DLLs + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox + منع البرامج المعزولة على المضيف من تحميل مكتبات DLL المعزولة + + + + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. + This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. + قد تقلل هذه الميزة من التوافق لأنها تمنع أيضًا العمليات الموجودة في الصندوق من الكتابة إلى العمليات الموجودة في المضيف وحتى بدء تشغيلها. + + + + This feature can cause a decline in the user experience because it also prevents normal screenshots. + قد تتسبب هذه الميزة في انخفاض تجربة المستخدم لأنها تمنع أيضًا لقطات الشاشة العادية. + + + + Shared Template + قالب مشترك + + + + Shared template mode + وضع القالب المشترك + + + + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. +However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. +To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. +To disable this template for a sandbox, simply uncheck it in the template list. + يضيف هذا الإعداد قالبًا محليًا أو إعداداته إلى تكوين صندوق العزل بحيث تتم مشاركة الإعدادات في هذا القالب بين صناديق العزل. +ومع ذلك، إذا تم تحديد خيار "استخدام كقالب" كوضع المشاركة، فقد لا تنعكس بعض الإعدادات في واجهة المستخدم. +لتغيير إعدادات القالب، ما عليك سوى تحديد موقع القالب "%1" في قائمة قوالب التطبيق ضمن خيارات صندوق العزل ثم النقر مرتين فوقه لعدله. +لتعطيل هذا القالب لصندوق عزل ما عليك سوى إلغاء تحديده في قائمة القالب. + + + + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. + لا يضيف هذا الخيار أي إعدادات إلى تكوين الصندوق ولا يزيل إعدادات الصندوق الافتراضية بناءً على إعدادات الإزالة داخل القالب. + + + + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. + يضيف هذا الخيار القالب المشترك إلى تكوين الصندوق كقالب محلي وقد يزيل أيضًا إعدادات الصندوق الافتراضية بناءً على إعدادات الإزالة داخل القالب. + + + + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. + يضيف هذا الخيار الإعدادات من القالب المشترك إلى تكوين الصندوق وقد يزيل أيضًا إعدادات الصندوق الافتراضية بناءً على إعدادات الإزالة داخل القالب. + + + + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. + لا يضيف هذا الخيار أي إعدادات إلى تكوين الصندوق، ولكنه قد يزيل إعدادات الصندوق الافتراضية بناءً على إعدادات الإزالة داخل القالب. + + + + Remove defaults if set + إزالة الإعدادات الافتراضية إذا تم تعيينها + + + + Shared template selection + اختيار القالب المشترك + + + + This option specifies the template to be used in shared template mode. (%1) + يحدد هذا الخيار القالب الذي سيتم استخدامه في وضع القالب المشترك. (%1) + + + + Disabled + معطل + + + + Advanced Options + خيارات متقدمة + + + + Prevent sandboxed windows from being captured + منع التقاط النوافذ المعزولة + + + + Use as a template + استخدامها كقالب + + + + Append to the configuration + إضافة إلى التكوين + + + + CBeginPage + + + Troubleshooting Wizard + معالج استكشاف الأخطاء وإصلاحها + + + + Welcome to the Troubleshooting Wizard for Sandboxie-Plus. This interactive assistant is designed to help you in resolving sandboxing issues. + مرحبًا بك في معالج استكشاف الأخطاء وإصلاحها لـ Sandboxie-Plus. تم تصميم هذا المساعد التفاعلي لمساعدتك في حل مشكلات العزل. + + + + With a valid <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> the wizard would be even more powerful. It could access the <a href="https://sandboxie-plus.com/go.php?to=sbie-issue-db">online solution database</a> to retrieve the latest troubleshooting instructions. + With a valid <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> the wizard would be even more powerfull. It could access the <a href="https://sandboxie-plus.com/go.php?to=sbie-issue-db">online solution database</a> to retriev the latest troubleshooting instructions. + مع وجود <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة داعم</a> صالحة، سيكون المعالج أكثر قوة. يمكنه الوصول إلى <a href="https://sandboxie-plus.com/go.php?to=sbie-issue-db">قاعدة بيانات الحلول عبر الإنترنت</a> لاسترداد أحدث تعليمات استكشاف الأخطاء وإصلاحها. + + + + Another issue + مشكلة أخرى + + + + CBoxAssistant + + + Troubleshooting Wizard + معالج استكشاف الأخطاء وإصلاحها + + + + Toggle Debugger + تبديل المصحح + + + + To debug troubleshooting scripts you need the V4 Script Debugger add-on, do you want to download and install it? + لاستكشاف أخطاء نصوص استكشاف الأخطاء وإصلاحها، تحتاج إلى الوظيفة الإضافية V4 Script Debugger، هل تريد تنزيلها وتثبيتها؟ + + + + Debugger Enabled + تمكين المصحح + + + + V4ScriptDebuggerBackend could not be instantiated, probably V4ScriptDebugger.dll and or its dependencies are missing, script debugger could not be opened. + V4ScriptDebuggerBackend could not be instantiated, probably V4ScriptDebugger.dll and or its dependencies are missing, script debuger could not be opened. + لم يتم إنشاء V4ScriptDebuggerBackend، ربما يكون V4ScriptDebugger.dll و/أو تبعياته مفقودة، لم يتم فتح مصحح النصوص. + + + + A troubleshooting procedure is in progress, canceling the wizard will abort it, this may leave the sandbox in an inconsistent state. + A troubleshooting procedure is in progress, canceling the wizard will abort it, this may leave the sandbox in an incosistent state. + هناك إجراء استكشاف الأخطاء وإصلاحها قيد التنفيذ، سيؤدي إلغاء المعالج إلى إلغائه، وقد يؤدي هذا إلى ترك صندوق العزل في حالة غير متسقة. + + + + Don't ask in future + لا تسأل في المستقبل + + + + CBoxEngine + + + Uncaught exception at line %1: %2 + استثناء غير مكتشف في السطر %1: %2 + + + + CBoxImageWindow + + + Sandboxie-Plus - Password Entry + Sandboxie-Plus - إدخال كلمة المرور + + + + Creating new box image, please enter a secure password, and choose a disk image size. + جاري إنشاء صورة صندوق جديدة، يرجى إدخال كلمة مرور آمنة واختيار حجم صورة القرص. + + + + Enter Box Image password: + أدخل كلمة مرور صورة الصندوق: + + + + Enter Box Image passwords: + أدخل كلمات مرور صورة الصندوق: + + + + Enter Encryption passwords for archive export: + أدخل كلمات مرور التشفير لتصدير الأرشيف: + + + + Enter Encryption passwords for archive import: + أدخل كلمات مرور التشفير لاستيراد الأرشيف: + + + + kilobytes (%1) + كيلوبايت (%1) + + + + Passwords don't match!!! + كلمات المرور غير متطابقة!!! + + + + WARNING: Short passwords are easy to crack using brute force techniques! + +It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? + تحذير: من السهل اختراق كلمات المرور القصيرة باستخدام تقنيات القوة الغاشمة! + +يوصى باختيار كلمة مرور تتكون من 20 حرفًا أو أكثر. هل أنت متأكد من أنك تريد استخدام كلمة مرور قصيرة؟ + + + + The password is constrained to a maximum length of 128 characters. +This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, +increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. + كلمة المرور مقيدة بطول أقصى يبلغ 128 حرفًا. +يسمح هذا الطول بحوالي 384 بت من الإنتروبيا مع عبارة مرور مكونة من كلمات إنجليزية فعلية، +ويزداد إلى 512 بت مع تطبيق تعديلات الكلام Leet (L337)، ويتجاوز 768 بت عند تكوينه من أحرف ASCII قابلة للطباعة بشكل عشوائي تمامًا. + + + + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. + يجب أن يكون حجم صورة قرص الصندوق 256 ميجابايت على الأقل، ويُنصح بحجم 2 جيجا بايت. + + + + CBoxPicker + + + Sandbox + صندوق عزل + + + + CBoxTypePage + + + Create new Sandbox + إنشاء صندوق عزل جديد + + + + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. + يعزل صندوق العزل نظامك المضيف عن العمليات التي تعمل داخله، ويمنعها من إجراء تغييرات دائمة على البرامج والبيانات الأخرى في جهاز الكمبيوتر الخاص بك. + + + + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. + يعزل صندوق العزل نظامك المضيف عن العمليات التي تعمل داخله، ويمنعها من إجراء تغييرات دائمة على البرامج والبيانات الأخرى في جهاز الكمبيوتر الخاص بك. يؤثر مستوى العزل على أمانك وكذلك على التوافق مع التطبيقات، وبالتالي سيكون هناك مستوى مختلف من العزل وفقًا لنوع الصندوق المحدد. يمكن لـ Sandboxie أيضًا حماية بياناتك الشخصية من الوصول إليها بواسطة العمليات التي تعمل تحت إشرافه. + + + + Enter box name: + أدخل اسم الصندوق: + + + + Select box type: + Sellect box type: + حدد نوع الصندوق: + + + + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> + <a href="sbie://docs/security-mode">صندوق العزل المعزز أمنيًا</a> مع <a href="sbie://docs/privacy-mode">حماية البيانات</a> + + + + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. +It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. +The entire user profile remains hidden, ensuring maximum security. + يوفر هذا النوع من الصناديق أعلى مستوى من الحماية من خلال تقليل سطح الهجوم المعرض للعمليات المحمية بشكل كبير. +يحد هذا الصندوق بشكل صارم من الوصول إلى بيانات المستخدم، مما يسمح للعمليات داخل هذا الصندوق بالوصول فقط إلى المجلدات C:\Windows و C:\Program Files. +يظل الملف الشخصي للمستخدم بالكامل مخفيًا، مما يضمن أقصى قدر من الأمان. + + + + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox + صندوق عزل <a href="sbie://docs/security-mode"> المعزز أمنيًا</a> + + + + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. + يوفر هذا النوع من الصناديق أعلى مستوى من الحماية من خلال تقليل سطح الهجوم المعرض للعمليات المعزولة بشكل كبير. + + + + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> + صندوق عزل مع <a href="sbie://docs/privacy-mode">حماية البيانات</a> + + + + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, +only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. + في هذا النوع من الصناديق، يتم منع العمليات المعزولة من الوصول إلى أي ملفات أو بيانات شخصية للمستخدم. وينصب التركيز على حماية بيانات المستخدم، وبالتالي، +يمكن للعمليات التي تعمل داخل هذا الصندوق فقط الوصول إلى المجلدات C:\Windows وC:\Program Files. وهذا يضمن بقاء الملفات الشخصية آمنة. + + + + Standard Sandbox + صندوق عزل عادي + + + + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. +Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. + يوفر هذا النوع من الصناديق السلوك الافتراضي لصندوق العزل الكلاسيكي. إنه يوفر للمستخدمين مخططًا مألوفًا وموثوقًا به لبيئة العزل. +يمكن تشغيل التطبيقات داخل صندوق العزل هذا، مما يضمن تشغيلها داخل مساحة معزولة وخاضعة للرقابة. + + + + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> + <a href="sbie://docs/compartment-mode">مقصورة للتطبيقات</a> مع <a href="sbie://docs/privacy-mode">حماية البيانات</a> + + + + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. +While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. + يعطي هذا النوع من الصندوق الأولوية للتوافق مع الاستمرار في توفير مستوى جيد من العزل. وهو مصمم لتشغيل التطبيقات الموثوقة داخل أقسام منفصلة. +وفي حين يتم تقليل مستوى العزل مقارنة بأنواع أخرى من الصناديق، فإنه يوفر توافقًا محسنًا مع مجموعة واسعة من التطبيقات، مما يضمن التشغيل السلس داخل البيئة المعزولة. + + + + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box + <a href="sbie://docs/compartment-mode">صندوق الحماية للتطبيقات</a> + + + + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> + <a href="sbie://docs/boxencryption">تشفير محتويات الصندوق</a> وعيينه <a href="sbie://docs/black-box">سري</a> + + + + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. +Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. +This ensures the utmost level of privacy and data protection within the confidential sandbox environment. + في هذا الصندوق، يستخدم صندوق العزل صورة قرص مشفرة كمجلد جذر له. يوفر هذا طبقة إضافية من الخصوصية والأمان. +يقتصر الوصول إلى القرص الافتراضي عند التثبيت على البرامج التي تعمل داخل صندوق العزل. يمنع Sandboxie العمليات الأخرى على نظام المضيف من الوصول إلى العمليات الموجودة في صندوق العزل. +وهذا يضمن أعلى مستوى من الخصوصية وحماية البيانات داخل بيئة صندوق العزل السرية. + + + + Hardened Sandbox with Data Protection + صندوق عزل المعزز مع حماية البيانات + + + + Security Hardened Sandbox + صندوق عزل المعزز أمنيًا + + + + Sandbox with Data Protection + صندوق عزل مع حماية البيانات + + + + Standard Isolation Sandbox (Default) + صندوق عزل عادي (افتراضي) + + + + Application Compartment with Data Protection + مقصورة التطبيق مع حماية البيانات + + + + Application Compartment Box + صندوق مقصورة التطبيق + + + + Confidential Encrypted Box + صندوق التشفير السري + + + + Remove after use + إزالة بعد الاستخدام + + + + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. + بعد انتهاء آخر عملية في الصندوق، سيتم حذف جميع البيانات الموجودة في الصندوق وإزالة الصندوق نفسه. + + + + Configure advanced options + تكوين الخيارات المتقدمة + + + + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? + To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? + لاستخدام الصناديق المشفرة، تحتاج إلى تثبيت برنامج تشغيل ImDisk، هل تريد تنزيله وتثبيته؟ + + + + CBrowserOptionsPage + + + Create Web Browser Template + إنشاء قالب متصفح الويب + + + + Configure web browser template options. + تكوين خيارات قالب متصفح الويب. + + + + Force the Web Browser to run in this sandbox + إجبار متصفح الويب على العمل في هذا صندوق العزل + + + + Allow direct access to the entire Web Browser profile folder + السماح بالوصول المباشر إلى مجلد ملف تعريف متصفح الويب بالكامل + + + + Allow direct access to Web Browser's phishing database + السماح بالوصول المباشر إلى قاعدة بيانات التصيد الاحتيالي لمتصفح الويب + + + + Allow direct access to Web Browser's session management + السماح بالوصول المباشر إلى إدارة جلسات متصفح الويب + + + + Allow direct access to Web Browser's sync data + السماح بالوصول المباشر إلى بيانات مزامنة متصفح الويب + + + + Allow direct access to Web Browser's preferences + السماح بالوصول المباشر إلى تفضيلات متصفح الويب + + + + Allow direct access to Web Browser's passwords + السماح بالوصول المباشر إلى كلمات مرور متصفح الويب + + + + Allow direct access to Web Browser's cookies + السماح بالوصول المباشر إلى ملفات تعريف الارتباط لمتصفح الويب + + + + Allow direct access to Web Browser's bookmarks + السماح بالوصول المباشر إلى إشارات متصفح الويب + + + + Allow direct access to Web Browser's bookmark and history database + السماح بالوصول المباشر إلى قاعدة بيانات إشارات متصفح الويب وسجلاته + + + + CBrowserPathsPage + + + Create Web Browser Template + إنشاء قالب متصفح الويب + + + + Configure your Web Browser's profile directories. + Configure your Web Browsers profile directories. + تكوين أدلة ملف تعريف متصفح الويب الخاص بك. + + + + User profile(s) directory: + دليل ملفات تعريف المستخدم: + + + + Show also imperfect matches + إظهار المطابقات غير الكاملة أيضًا + + + + Browser Executable (*.exe) + ملف قابل للتنفيذ للمتصفح (*.exe) + + + + Continue without browser profile + استمر بدون ملف تعريف للمتصفح + + + + Configure your Gecko based Browsers profile directories. + قم بتكوين أدلة ملفات تعريف المتصفحات المستندة إلى Gecko. + + + + Configure your Chromium based Browsers profile directories. + قم بتكوين أدلة ملفات تعريف المتصفحات المستندة إلى Chromium. + + + + No suitable folders have been found. +Note: you need to run the browser unsandboxed for them to get created. +Please browse to the correct user profile directory. + No suitable fodlers have been found. +Note: you need to run the browser unsandboxed for them to get created. +Please browse to the correct user profile directory. + لم يتم العثور على مجلدات مناسبة. +ملاحظة: تحتاج إلى تشغيل المتصفح بدون عزل حتى يتم إنشاؤها. +يرجى الانتقال إلى دليل ملف تعريف المستخدم الصحيح. + + + + Please choose the correct user profile directory, if it is not listed you may need to browse to it. + يرجى اختيار دليل ملف تعريف المستخدم الصحيح، إذا لم يكن مدرجًا، فقد تحتاج إلى الانتقال إليه. + + + + Please ensure the selected directory is correct, the wizard is not confident in all the presented options. + يرجى التأكد من صحة الدليل المحدد، فالمعالج غير واثق من جميع الخيارات المعروضة. + + + + Please ensure the selected directory is correct. + يرجى التأكد من صحة الدليل المحدد. + + + + This path does not look like a valid profile directory. + لا يبدو هذا المسار كدليل ملف تعريف صالح. + + + + CBrowserTypePage + + + Create Web Browser Template + إنشاء قالب متصفح الويب + + + + Select your Web Browsers main executable, this will allow Sandboxie to identify the browser. + Select your Web Browsers main executable, this will allow sandboxie to identify the browser. + حدد الملف التنفيذي الرئيسي لمتصفح الويب الخاص بك، وهذا سيسمح لـ Sandboxie بتحديد المتصفح. + + + + Enter browser name: + أدخل اسم المتصفح: + + + + Main executable (eg. firefox.exe, chrome.exe, msedge.exe, etc...): + Mein executable (eg. firefox.exe, chrome.exe, msedge.exe, etc...): + الملف التنفيذي الرئيسي (على سبيل المثال، firefox.exe، chrome.exe، msedge.exe، إلخ...): + + + + Browser executable (*.exe) + Browser Executable (*.exe) + الملف التنفيذي للمتصفح (*.exe) + + + + The browser appears to be Gecko based, like Mozilla Firefox and its derivatives. + يبدو أن المتصفح يعتمد على Gecko، مثل Mozilla Firefox ومشتقاته. + + + + The browser appears to be Chromium based, like Microsoft Edge or Google Chrome and its derivatives. + يبدو أن المتصفح يعتمد على Chromium، مثل Microsoft Edge أو Google Chrome ومشتقاته. + + + + Browser could not be recognized, template cannot be created. + لم يتم التعرف على المتصفح، ولا يمكن إنشاء القالب. + + + + This browser name is already in use, please choose an other one. + This browser name is already in use, please chooe an other one. + اسم المتصفح هذا قيد الاستخدام بالفعل، يرجى اختيار اسم آخر. + + + + CCertificatePage + + + Install your <b>Sandboxie-Plus</b> support certificate + قم بتثبيت شهادة دعم <b>Sandboxie-Plus</b> + + + + If you have a supporter certificate, please fill it into the field below. + إذا كان لديك شهادة داعم، يرجى ملؤها في الحقل أدناه. + + + + Retrieve certificate using Serial Number: + استرداد الشهادة باستخدام الرقم التسلسلي: + + + + Start evaluation without a certificate for a limited period of time. + ابدأ التقييم بدون شهادة لفترة زمنية محدودة. + + + + <b><a href="_"><font color='red'>Get a free evaluation certificate</font></a> and enjoy all premium features for %1 days.</b> + <b><a href="_"><font color='red'>احصل على شهادة تقييم مجانية</font></a> واستمتع بجميع الميزات المميزة لمدة %1 يومًا.</b> + + + + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. + You can request a free %1-day evaluation certificate up to %2 times for any one Hardware ID + يمكنك طلب شهادة تقييم مجانية لمدة %1 يومًا حتى %2 مرة لكل معرف جهاز. + + + + To use <b>Sandboxie-Plus</b> in a business setting, an appropriate <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">support certificate</a> for business use is required. If you do not yet have the required certificate(s), you can get those from the <a href="https://xanasoft.com/shop/">xanasoft.com web shop</a>. + لاستخدام <b>Sandboxie-Plus</b> في بيئة العمل، يلزم الحصول على <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">شهادة دعم</a> مناسبة للاستخدام التجاري. إذا لم تكن لديك الشهادة (الشهادات) المطلوبة بعد، فيمكنك الحصول عليها من متجر الويب <a href="https://xanasoft.com/shop/">xanasoft.com</a>. + + + + <b>Sandboxie-Plus</b> provides additional features and box types exclusively to <u>project supporters</u>. Boxes like the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs. If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a> to ensure further development of Sandboxie and to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. + يوفر <b>Sandboxie-Plus</b> ميزات وأنواع صناديق إضافية حصريًا لـ <u>داعمي المشروع</u>. تعمل الصندوقات مثل الصندوقات المعززة بالخصوصية <b><font color='red'>على حماية بيانات المستخدم من الوصول غير المشروع</font></b> بواسطة البرامج المعزولة. إذا لم تكن من الداعمين بعد، فيرجى التفكير في <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">دعم المشروع</a> لضمان مزيد من تطوير Sandboxie والحصول على <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة داعم</a>. + + + + Failed to retrieve the certificate. + Failed to retrive the certificate. + فشل استرداد الشهادة. + + + + +Error: %1 + +خطأ: %1 + + + + Retrieving certificate... + Retreiving certificate... + استرداد الشهادة... + + + + CCleanUpJob + + + Deleting Content + حذف المحتوى + + + + CCompletePage + + + Troubleshooting Completed + اكتمل استكشاف الأخطاء وإصلاحها + + + + Thank you for using the Troubleshooting Wizard for Sandboxie-Plus. We apologize for any inconvenience you experienced during the process. If you have any additional questions or need further assistance, please don't hesitate to reach out. We're here to help. Thank you for your understanding and cooperation. + +You can click Finish to close this wizard. + نشكرك على استخدام معالج استكشاف الأخطاء وإصلاحها لـ Sandboxie-Plus. نعتذر عن أي إزعاج واجهته أثناء العملية. إذا كانت لديك أي أسئلة إضافية أو كنت بحاجة إلى مزيد من المساعدة، فلا تتردد في التواصل معنا. نحن هنا لمساعدتك. نشكرك على تفهمك وتعاونك. + +يمكنك النقر فوق "إنهاء" لإغلاق هذا المعالج. + + + + CCompressDialog + + + Sandboxie-Plus - Sandbox Export + Sandboxie-Plus - تصدير صندوق العزل + + + + 7-Zip + 7-Zip + + + + Zip + Zip + + + + Store + خزن + + + + Fastest + الأسرع + + + + Fast + سريع + + + + Normal + عادي + + + + Maximum + الحد الأقصى + + + + Ultra + ألترا + + + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + Sandboxie-Plus - استيراد صندوق العزل + + + + Select Directory + حدد الدليل + + + + This name is already in use, please select an alternative box name + هذا الاسم قيد الاستخدام بالفعل، يرجى تحديد اسم صندوق بديل + + + + CFileBrowserWindow + + + %1 - Files + %1 - ملفات + + + + CFileView + + + Create Shortcut + إنشاء اختصار + + + + Pin to Box Run Menu + تثبيت في قائمة تشغيل الصندوق + + + + Recover to Any Folder + استرداد إلى أي مجلد + + + + Recover to Same Folder + استرداد إلى نفس المجلد + + + + Run Recovery Checks + تشغيل فحوصات الاسترداد + + + + Select Directory + حدد الدليل + + + + Create Shortcut to sandbox %1 + إنشاء اختصار إلى صندوق العزل %1 + + + + CFilesPage + + + Sandbox location and behavior + Sandbox location and behavioure + موقع صندوق العزل وسلوكه + + + + On this page the sandbox location and its behavior can be customized. +You can use %USER% to save each users sandbox to an own folder. + On this page the sandbox location and its behaviorue can be customized. +You can use %USER% to save each users sandbox to an own fodler. + في هذه الصفحة، يمكن تخصيص موقع صندوق العزل وسلوكه. +يمكنك استخدام %USER% لحفظ صندوق العزل لكل مستخدم في مجلد خاص به. + + + + Sandboxed Files + الملفات المعزولة + + + + Select Directory + تحديد الدليل + + + + Virtualization scheme + مخطط المحاكاة الافتراضية + + + + Version 1 + الإصدار 1 + + + + Version 2 + الإصدار 2 + + + + Separate user folders + مجلدات مستخدم منفصلة + + + + Use volume serial numbers for drives + استخدام أرقام تسلسلية للمجلدات لمحركات الأقراص + + + + Auto delete content when last process terminates + الحذف التلقائي للمحتوى عند انتهاء آخر عملية + + + + Enable Immediate Recovery of files from recovery locations + تمكين الاسترداد الفوري للملفات من مواقع الاسترداد + + + + The selected box location is not a valid path. + The sellected box location is not a valid path. + موقع الصندوق المحدد ليس مسارًا صالحًا. + + + + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? + The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? + موقع الصندوق المحدد موجود وليس فارغًا، يوصى باختيار مجلد جديد أو فارغ. هل أنت متأكد من أنك تريد استخدام مجلد موجود؟ + + + + The selected box location is not placed on a currently available drive. + The selected box location not placed on a currently available drive. + موقع الصندوق المحدد غير موجود على محرك أقراص متوفر حاليًا. + + + + CFinishPage + + + Complete your configuration + أكمل التكوين + + + + Almost complete, click Finish to apply all selected options and conclude the wizard. + تم الانتهاء تقريبًا، انقر فوق "إنهاء" لتطبيق جميع الخيارات المحددة وإنهاء المعالج. + + + + CFinishTemplatePage + + + Create Web Browser Template + إنشاء قالب متصفح ويب + + + + Almost complete, click Finish to create a new Web Browser Template and conclude the wizard. + اكتمل تقريبًا، انقر فوق "إنهاء" لإنشاء قالب متصفح ويب جديد وإنهاء المعالج. + + + + Browser name: %1 + + اسم المتصفح: %1 + + + + + Browser Type: Gecko (Mozilla Firefox) + + Browser Type: Gecko (Mozilla firefox) + + نوع المتصفح: Gecko (Mozilla Firefox) + + + + + Browser Type: Chromium (Google Chrome) + + نوع المتصفح: Chromium (Google Chrome) + + + + + + + + + + + + Browser executable path: %1 + + مسار الملف التنفيذي للمتصفح: %1 + + + + + Browser profile path: %1 + + مسار ملف تعريف المتصفح: %1 + + + + + CGetFileJob + + + Failed to download file from: %1 + فشل تنزيل الملف من: %1 + + + + CGroupPage + + + Select issue from group + حدد المشكلة من المجموعة + + + + Please specify the exact issue: + الرجاء تحديد المشكلة بالضبط: + + + + Another issue + مشكلة أخرى + + + + CIntroPage + + + Introduction + مقدمة + + + + Welcome to the Setup Wizard. This wizard will help you to configure your copy of <b>Sandboxie-Plus</b>. You can start this wizard at any time from the Sandbox->Maintenance menu if you do not wish to complete it now. + مرحبًا بك في معالج الإعداد. سيساعدك هذا المعالج في تكوين نسختك من <b>Sandboxie-Plus</b>. يمكنك بدء هذا المعالج في أي وقت من قائمة صندوق العزل -> صيانة إذا كنت لا ترغب في إكماله الآن. + + + + Select how you would like to use Sandboxie-Plus + حدد الطريقة التي ترغب في استخدام Sandboxie-Plus بها + + + + &Personally, for private non-commercial use + &شخصيًا، للاستخدام الشخصي غير التجاري + + + + &Commercially, for business or enterprise use + &تجاريًا، للاستخدام التجاري أو المؤسسي + + + + Note: this option is persistent + ملاحظة: هذا الخيار دائم + + + + CIsolationPage + + + Sandbox Isolation options + خيارات عزل صندوق العزل + + + + On this page sandbox isolation options can be configured. + يمكن تكوين خيارات عزل صندوق العزل في هذه الصفحة. + + + + Network Access + الوصول إلى الشبكة + + + + Allow network/internet access + السماح بالوصول إلى الشبكة/الإنترنت + + + + Block network/internet by denying access to Network devices + حظر الشبكة/الإنترنت عن طريق رفض الوصول إلى أجهزة الشبكة + + + + Block network/internet using Windows Filtering Platform + حظر الشبكة/الإنترنت باستخدام نظام التشغيل Windows Filtering Platform + + + + Allow access to network files and folders + السماح بالوصول إلى ملفات ومجلدات الشبكة + + + + + This option is not recommended for Hardened boxes + لا يُنصح بهذا الخيار للصناديق الحماية المعززة + + + + Prompt user whether to allow an exemption from the blockade + مطالبة المستخدم بما إذا كان سيسمح باستثناء من الحظر + + + + Admin Options + خيارات المسؤول + + + + Drop rights from Administrators and Power Users groups + إسقاط الحقوق من مجموعات المسؤولين والمستخدمين ذوي القدرة العالية + + + + Make applications think they are running elevated + جعل التطبيقات تعتقد أنها تعمل على مستوى مرتفع + + + + Allow MSIServer to run with a sandboxed system token + السماح بتشغيل MSIServer باستخدام رمز نظام معزول + + + + Box Options + خيارات الصندوق + + + + Use a Sandboxie login instead of an anonymous token + استخدام تسجيل دخول Sandboxie بدلاً من رمز مجهول + + + + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. + يسمح استخدام رمز Sandboxie مخصص بعزل صناديق الحماية الفردية عن بعضها البعض بشكل أفضل، ويعرض في عمود المستخدم لمديري المهام اسم الصندوق الذي تنتمي إليه العملية. قد تواجه بعض حلول الأمان التابعة لجهات خارجية مشكلات مع الرموز المخصصة. + + + + CListPage + + + Select issue from full list + اختر المشكلة من القائمة الكاملة + + + + Search filter + فلتر البحث + + + + None of the above + لا شيء مما سبق + + + + CMonitorModel + + + Type + النوع + + + + Status + الحالة + + + + Value + القيمة + + + + Count + العدد + + + + CNewBoxWizard + + + New Box Wizard + معالج الصندوق الجديد + + + + This sandbox content will be placed in an encrypted container file, please note that any corruption of the container's header will render all its content permanently inaccessible. Corruption can occur as a result of a BSOD, a storage hardware failure, or a malicious application overwriting random files. This feature is provided under a strict <b>No Backup No Mercy</b> policy, YOU the user are responsible for the data you put into an encrypted box. <br /><br />IF YOU AGREE TO TAKE FULL RESPONSIBILITY FOR YOUR DATA PRESS [YES], OTHERWISE PRESS [NO]. + This sandbox content will be placed in an encrypted container file, please note that any corruption of the container's header will render all its content permanently innaccessible. Corruption can occur as a result of a BSOD, a storage hadrware failure, or a maliciouse application overwriting random files. This feature is provided under a strickt <b>No Backup No Mercy</b> policy, YOU the user are responsible for the data you put into an encrypted box. <br /><br />IF YOU AGREE TO TAKE FULL RESPONSIBILITY FOR YOUR DATA PRESS [YES], OTHERWISE PRESS [NO]. + سيتم وضع محتوى صندوق العزل هذا في ملف حاوية مشفر، يرجى ملاحظة أن أي تلف في رأس الحاوية سيجعل كل محتوياتها غير قابلة للوصول بشكل دائم. يمكن أن يحدث التلف نتيجة لشاشة زرقاء أو فشل في أجهزة التخزين أو تطبيق ضار يستبدل ملفات عشوائية. يتم توفير هذه الميزة بموجب سياسة صارمة <b>لا نسخ احتياطي لا رحمة</b>، أنت المستخدم مسؤول عن البيانات التي تضعها في صندوق مشفر. <br /><br />إذا وافقت على تحمل المسؤولية الكاملة عن بياناتك، فاضغط على [نعم]، وإلا فاضغط على [لا]. + + + + Add your settings after this line. + أضف إعداداتك بعد هذا السطر. + + + + + Shared Template + قالب مشترك + + + + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. + تم إنشاء صندوق العزل الجديد باستخدام <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">مخطط المحاكاة الافتراضية إصدار 2</a> الجديد، إذا واجهت أي مشكلات غير متوقعة مع هذا الصندوق، فيرجى التبديل مخطط المحاكاة الافتراضية إلى الإصدار 1 والإبلاغ عن المشكلة، يمكن العثور على خيار تغيير هذا الإعداد المسبق في خيارات الصندوق في مجموعة هيكل الصندوق. + + + + + Don't show this message again. + لا تعرض هذه الرسالة مرة أخرى. + + + + COnDeleteJob + + + OnDelete: %1 + عند الحذف: %1 + + + + COnlineUpdater + + + Do you want to check if there is a new version of Sandboxie-Plus? + هل تريد التحقق مما إذا كان هناك إصدار جديد من Sandboxie-Plus؟ + + + + Don't show this message again. + لا تعرض هذه الرسالة مرة أخرى. + + + + Checking for updates... + جاري التحقق من التحديثات... + + + + server not reachable + لا يمكن الوصول إلى الخادم + + + + + Failed to check for updates, error: %1 + فشل التحقق من التحديثات، الخطأ: %1 + + + + <p>Do you want to download the installer?</p> + <p>هل تريد تنزيل برنامج التثبيت؟</p> + + + + <p>Do you want to download the updates?</p> + <p>هل تريد تنزيل التحديثات؟</p> + + + + <p>Do you want to go to the <a href="%1">download page</a>?</p> + <p>هل تريد الانتقال إلى <a href="%1">صفحة التنزيل</a>؟</p> + + + + Don't show this update anymore. + لا تعرض هذا التحديث بعد الآن. + + + + Downloading updates... + جاري تنزيل التحديثات... + + + + invalid parameter + معلمة غير صالحة + + + + failed to download updated information + failed to download update informations + فشل تنزيل المعلومات المحدثة + + + + failed to load updated json file + failed to load update json file + فشل تحميل ملف json المحدث + + + + failed to download a particular file + فشل تنزيل ملف معين + + + + failed to scan existing installation + فشل مسح التثبيت الحالي + + + + updated signature is invalid !!! + update signature is invalid !!! + التوقيع المحدث غير صالح !!! + + + + downloaded file is corrupted + الملف الذي تم تنزيله تالف + + + + internal error + خطأ داخلي + + + + unknown error + خطأ غير معروف + + + + Failed to download updates from server, error %1 + فشل تنزيل التحديثات من الخادم، الخطأ %1 + + + + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> + <p>تم تنزيل تحديثات Sandboxie-Plus.</p><p>هل تريد تطبيق هذه التحديثات؟ إذا كانت هناك أي برامج تعمل في وضع العزل، فسيتم إنهاؤها.</p> + + + + Downloading installer... + تنزيل برنامج التثبيت... + + + + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> + <p>تم تنزيل برنامج تثبيت Sandboxie-Plus جديد إلى الموقع التالي:</p><p><a href="%2">%1</a></p><p>هل تريد بدء التثبيت؟ إذا كانت هناك أي برامج تعمل في وضع العزل، فسيتم إنهاؤها.</p> + + + + <p>Do you want to go to the <a href="%1">info page</a>?</p> + <p>هل تريد الانتقال إلى <a href="%1">صفحة المعلومات</a>؟</p> + + + + Don't show this announcement in the future. + لا تعرض هذا الإعلان في المستقبل. + + + + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> + <p>يتوفر إصدار جديد من Sandboxie-Plus.<br /><font color='red'><b>الإصدار الجديد:</b></font> <b>%1</b></p> + + + + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. + +Do you still want to update? + انتهت صلاحية شهادة دعم Sandboxie-Plus الخاصة بك، ومع ذلك، بالنسبة للإصدار الحالي الذي تستخدمه، تظل نشطة، وعند التحديث إلى إصدار أحدث، سيتم تعطيل ميزات الدعم الحصرية. + +هل ما زلت تريد التحديث؟ + + + + No new updates found, your Sandboxie-Plus is up-to-date. + +Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. + لم يتم العثور على تحديثات جديدة، Sandboxie-Plus الخاص بك محدث. + +ملاحظة: غالبًا ما يكون فحص التحديث خلف أحدث إصدار من GitHub لضمان تقديم التحديثات التي تم اختبارها فقط. + + + + COptionsWindow + + + + + + Browse for File + تصفح الملف + + + + Browse for Folder + تصفح المجلد + + + + Closed + مغلق + + + + Closed RT + RT مغلق + + + + Read Only + للقراءة فقط + + + + Normal + عادي + + + + Open + مفتوح + + + + Open for All + مفتوح للجميع + + + + No Rename + بدون إعادة تسمية + + + + Box Only (Write Only) + صندوق فقط (كتابة فقط) + + + + Ignore UIPI + تجاهل UIPI + + + + + + Unknown + غير معروف + + + + Regular Sandboxie behavior - allow read and also copy on write. + سلوك Sandboxie العادي - السماح بالقراءة والنسخ أيضًا عند الكتابة. + + + + Allow write-access outside the sandbox. + السماح للكتابة خارج صندوق العزل. + + + + Allow write-access outside the sandbox, also for applications installed inside the sandbox. + السماح للكتابة خارج صندوق العزل، أيضًا للتطبيقات المثبتة داخل صندوق العزل. + + + + Don't rename window classes. + لا تقم بإعادة تسمية فئات النافذة. + + + + Deny access to host location and prevent creation of sandboxed copies. + رفض الوصول إلى موقع المضيف ومنع إنشاء نسخ معزولة. + + + + Block access to WinRT class. + حظر الوصول إلى فئة WinRT. + + + + Allow read-only access only. + السماح بالوصول للقراءة فقط فقط. + + + + Hide host files, folders or registry keys from sandboxed processes. + إخفاء ملفات المضيف أو المجلدات أو مفاتيح التسجيل من العمليات المعزولة. + + + + Ignore UIPI restrictions for processes. + تجاهل قيود واجهة المستخدم الرسومية (UIPI) للعمليات. + + + + File/Folder + ملف/مجلد + + + + Registry + السجل + + + + IPC Path + مسار IPC + + + + Wnd Class + فئة Wnd + + + + COM Object + غرض COM + + + + Select File + تحديد الملف + + + + All Files (*.*) + جميع الملفات (*.*) + + + + + + + + Select Directory + تحديد الدليل + + + + + + + + + + + + + + + All Programs + جميع البرامج + + + + + + + + + + + + Group: %1 + المجموعة: %1 + + + + COM objects must be specified by their GUID, like: {00000000-0000-0000-0000-000000000000} + يجب تحديد اغراض COM بواسطة GUID الخاص بها، مثل: {00000000-0000-0000-0000-00000000000} + + + + RT interfaces must be specified by their name. + يجب تحديد واجهات RT بواسطة اسمها. + + + + Opening all IPC access also opens COM access, do you still want to restrict COM to the sandbox? + يؤدي فتح كل وصول IPC إلى فتح وصول COM أيضًا، هل ما زلت تريد تقييد COM على صندوق العزل؟ + + + + Don't ask in future + لا تسأل في المستقبل + + + + 'OpenWinClass=program.exe,#' is not supported, use 'NoRenameWinClass=program.exe,*' instead + 'OpenWinClass=program.exe,#' غير مدعوم، استخدم 'NoRenameWinClass=program.exe,*' بدلاً من ذلك + + + + + + + + + Template values can not be edited. + لا يمكن تحرير قيم القالب. + + + + Template values can not be removed. + لا يمكن إزالة قيم القالب. + + + + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. + تمكين استخدام خطافات win32 للعمليات المحددة. ملاحظة: تحتاج إلى تمكين دعم خطافات استدعاء نظام win32k بشكل عموميّ أولاً. + + + + Enable crash dump creation in the sandbox folder + تمكين إنشاء تفريغ الأعطال في مجلد صندوق العزل + + + + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. + استخدم دائمًا إصلاح ElevateCreateProcess، كما يتم تطبيقه أحيانًا بواسطة مساعد توافق البرامج. + + + + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes + Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes + تمكين سلوك PreferExternalManifest غير المتسق الخاص، حسب الحاجة لبعض إصلاحات Edge + + + + Set RpcMgmtSetComTimeout usage for specific processes + تعيين استخدام RpcMgmtSetComTimeout لعمليات معينة + + + + Makes a write open call to a file that won't be copied fail instead of turning it read-only. + يجعل استدعاء الكتابة المفتوحة لملف لن يتم نسخه يفشل بدلاً من تحويله إلى القراءة فقط. + + + + Make specified processes think they have admin permissions. + Make specified processes think thay have admin permissions. + جعل العمليات المحددة تعتقد أن لديها أذونات المسؤول. + + + + Force specified processes to wait for a debugger to attach. + إجبار العمليات المحددة على الانتظار حتى يتم إرفاق مصحح أخطاء. + + + + Sandbox file system root + جذر نظام ملفات صندوق العزل + + + + Sandbox registry root + جذر سجل صندوق العزل + + + + Sandbox ipc root + جذر ipc صندوق العزل + + + + + bytes (unlimited) + بايت (غير محدود) + + + + + bytes (%1) + بايت (%1) + + + + unlimited + غير محدود + + + + Add special option: + إضافة خيار خاص: + + + + + On Start + عند البدء + + + + + + + + Run Command + تشغيل الأمر + + + + Start Service + بدء الخدمة + + + + On Init + عند التهيئة + + + + On File Recovery + عند استرداد الملف + + + + On Delete Content + عند حذف المحتوى + + + + On Terminate + عند الإنهاء + + + + + + + + Please enter the command line to be executed + الرجاء إدخال سطر الأوامر المطلوب تنفيذه + + + + Please enter a program file name to allow access to this sandbox + الرجاء إدخال اسم ملف البرنامج للسماح بالوصول إلى هاذا صندوق العزل + + + + Please enter a program file name to deny access to this sandbox + الرجاء إدخال اسم ملف البرنامج لرفض الوصول إلى هاذا صندوق العزل + + + + Deny + رفض + + + + %1 (%2) + %1 (%2) + + + + Failed to retrieve firmware table information. + فشل استرداد معلومات جدول البرامج الثابتة. + + + + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. + تم حفظ جدول البرامج الثابتة بنجاح في سجل المضيف: HKEY_CURRENT_USER\System\SbieCustom<br />يمكنك نسخه إلى سجل العزل للحصول على قيمة مختلفة لكل صندوق. + + + + + Process + العملية + + + + + Folder + المجلد + + + + Children + الأطفال + + + + Document + المستند + + + + + + Select Executable File + تحديد ملف قابل للتنفيذ + + + + + + Executable Files (*.exe) + الملفات القابلة للتنفيذ (*.exe) + + + + Select Document Directory + حدد دليل المستند + + + + Please enter Document File Extension. + الرجاء إدخال امتداد ملف المستند. + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + لأسباب أمنية، لا يُسمح بإنشاء إعدادات مسبقة لـ BreakoutDocument بعلامة عامة بالكامل. + + + + For security reasons the specified extension %1 should not be broken out. + لأسباب أمنية، لا ينبغي اخراج الامتداد المحدد %1. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? + Forcing the specified folder will most likely break Windows, are you sure you want to proceed? + من المرجح أن يؤدي فرض الإدخال المحدد إلى تعطل Windows، هل أنت متأكد من أنك تريد المتابعة؟ + + + + This option requires an active supporter certificate + This option requires a valid supporter certificate + يتطلب هذا الخيار شهادة داعم نشطة + + + + Don't alter the window title + لا تغير عنوان النافذة + + + + Display [#] indicator only + عرض مؤشر [#] فقط + + + + Display box name in title + عرض اسم الصندوق في العنوان + + + + Border disabled + الحدود معطلة + + + + Show only when title is in focus + العرض فقط عندما يكون العنوان في بؤرة التركيز + + + + Always show + العرض دائمًا + + + + Hardened Sandbox with Data Protection + صندوق عزل المعزز مع حماية البيانات + + + + Security Hardened Sandbox + صندوق عزل المعزز للأمان + + + + Sandbox with Data Protection + صندوق عزل مع حماية البيانات + + + + Standard Isolation Sandbox (Default) + صندوق عزل عادي (افتراضي) + + + + Application Compartment with Data Protection + مقصورة التطبيق مع حماية البيانات + + + + This option requires an active <b>advanced</b> supporter certificate + يتطلب هذا الخيار شهادة داعم نشطة <b>متقدمة</b> + + + + Application Compartment + مقصورة التطبيق + + + + Custom icon + أيقونة مخصصة + + + + Version 1 + الإصدار 1 + + + + Version 2 + الإصدار 2 + + + + Browse for Program + تصفح لبرنامج + + + + Open Box Options + فتح خيارات الصندوق + + + + Browse Content + استعراض المحتوى + + + + Start File Recovery + بدء تشغيل استرداد الملف + + + + Show Run Dialog + إظهار صندوق حوار التشغيل + + + + Indeterminate + غير محدد + + + + Backup Image Header + إنشاء رأس صورة احتياطية + + + + Restore Image Header + استعادة رأس الصورة + + + + Change Password + تغيير كلمة المرور + + + + + Always copy + النسخ دائمًا + + + + + Don't copy + لا تنسخ + + + + + Copy empty + انسخ فارغ + + + + kilobytes (%1) + كيلوبايت (%1) + + + + Select color + تحديد اللون + + + + Select Program + تحديد البرنامج + + + + The image file does not exist + ملف الصورة غير موجود + + + + The password is wrong + كلمة المرور خاطئة + + + + Unexpected error: %1 + خطأ غير متوقع: %1 + + + + Image Password Changed + تم تغيير كلمة مرور الصورة + + + + Backup Image Header for %1 + انشاء رأس صورة احتياطية لـ %1 + + + + Image Header Backuped + رأس الصورة تم نسخه احتياطيًا + + + + Restore Image Header for %1 + استعادة رأس الصورة لـ %1 + + + + Image Header Restored + رأس الصورة تمت استعادته + + + + Please enter a service identifier + الرجاء إدخال معرف خدمة + + + + Executables (*.exe *.cmd) + الملفات القابلة للتنفيذ (*.exe *.cmd) + + + + + Please enter a menu title + الرجاء إدخال عنوان القائمة + + + + Please enter a command + الرجاء إدخال الأمر + + + + Please enter a name for the new group + الرجاء إدخال اسم للمجموعة الجديدة + + + + Please select group first. + الرجاء تحديد المجموعة أولاً. + + + + + Any + أي + + + + + TCP + TCP + + + + + UDP + UDP + + + + + ICMP + ICMP + + + + Allow access + السماح بالوصول + + + + Block using Windows Filtering Platform + الحظر باستخدام Windows Filtering Platform + + + + Block by denying access to Network devices + الحظر عن طريق رفض الوصول إلى أجهزة الشبكة + + + + Please enter a domain to be filtered + الرجاء إدخال المجال المراد تصفيته + + + + Yes + نعم + + + + No + لا + + + + Please enter IP and Port. + الرجاء إدخال عنوان IP والمنفذ. + + + + entry: IP or Port cannot be empty + الإدخال: لا يمكن أن يكون عنوان IP أو المنفذ فارغًا + + + + + + Allow + السماح + + + + Block (WFP) + الحظر (WFP) + + + + Block (NDev) + الحظر (NDev) + + + + A non empty program name is required. + مطلوب اسم برنامج غير فارغ. + + + + Block + حظر + + + + Please enter a file extension to be excluded + يرجى إدخال امتداد الملف الذي سيتم استبعاده + + + + All Categories + جميع الفئات + + + + Custom Templates + قوالب مخصصة + + + + Email Reader + قارئ البريد الإلكتروني + + + + PDF/Print + ملف PDF/طباعة + + + + Security/Privacy + الأمان/الخصوصية + + + + Desktop Utilities + أدوات سطح المكتب + + + + Download Managers + مديرو التنزيل + + + + Miscellaneous + متنوع + + + + Web Browser + متصفح الويب + + + + Media Player + مشغل الوسائط + + + + Torrent Client + عميل التورنت + + + + This template is enabled globally. To configure it, use the global options. + هذا القالب ممكّن عالميًا. لتكوينه، استخدم الخيارات العامة. + + + + Please enter the template identifier + يرجى إدخال معرف القالب + + + + Error: %1 + خطأ: %1 + + + + Do you really want to delete the selected local template(s)? + هل تريد حقًا حذف القالب المحلي المحدد؟ + + + + Only local templates can be removed! + يمكن إزالة القوالب المحلية فقط! + + + + An alternate location for '%1' +should contain the following file: + +%2 + +The selected location does not contain this file. +Please select a folder which contains this file. + يجب أن يحتوي الموقع البديل لـ '%1' +على الملف التالي: + +%2 + +لا يحتوي الموقع المحدد على هذا الملف. +الرجاء تحديد المجلد الذي يحتوي على هذا الملف. + + + + Sandboxie Plus - '%1' Options + خيارات Sandboxie Plus - '%1' + + + + File Options + خيارات الملف + + + + Grouping + التجميع + + + + Add %1 Template + إضافة قالب %1 + + + + Search for options + البحث عن الخيارات + + + + Box: %1 + الصندوق: %1 + + + + Template: %1 + القالب: %1 + + + + Global: %1 + العام: %1 + + + + Default: %1 + الافتراضي: %1 + + + + This sandbox has been deleted hence configuration can not be saved. + تم حذف صندوق العزل هذا وبالتالي لا يمكن حفظ التكوين. + + + + Some changes haven't been saved yet, do you really want to close this options window? + لم يتم حفظ بعض التغييرات بعد، هل تريد حقًا إغلاق نافذة الخيارات هذه؟ + + + + Enter program: + أدخل البرنامج: + + + + CPopUpMessage + + + ? + ? + + + + Visit %1 for a detailed explanation. + قم بزيارة %1 للحصول على شرح مفصل. + + + + Troubleshooting + استكشاف الأخطاء وإصلاحها + + + + Start troubleshooting wizard + بدء معالج استكشاف الأخطاء وإصلاحها + + + + Dismiss + تجاهل + + + + Remove this message from the list + إزالة هذه الرسالة من القائمة + + + + Hide all such messages + إخفاء كل هذه الرسائل + + + + (%1) + (%1) + + + + CPopUpProgress + + + Dismiss + تجاهل + + + + Remove this progress indicator from the list + إزالة مؤشر التقدم هذا من القائمة + + + + CPopUpPrompt + + + Remember for this process + تذكر لهذه العملية + + + + Yes + نعم + + + + No + لا + + + + Terminate + إنهاء + + + + Yes and add to allowed programs + نعم وإضافة إلى البرامج المسموح بها + + + + Requesting process terminated + تم إنهاء عملية الطلب + + + + Request will time out in %1 sec + سينتهي الطلب في غضون %1 ثانية + + + + Request timed out + انتهت مهلة الطلب + + + + CPopUpRecovery + + + Recover to: + استرداد إلى: + + + + Browse + استعراض + + + + Clear folder list + مسح قائمة المجلدات + + + + Recover + استرداد + + + + Recover the file to original location + استرداد الملف إلى الموقع الأصلي + + + + Recover && Explore + استرداد واستكشاف + + + + Recover && Open/Run + استرداد وفتح/تشغيل + + + + Open file recovery for this box + فتح استرداد الملف لهذا الصندوق + + + + Dismiss + رفض + + + + Don't recover this file right now + لا تسترد هذا الملف الآن + + + + Dismiss all from this box + رفض كل شيء من هذا الصندوق + + + + Disable quick recovery until the box restarts + تعطيل الاسترداد السريع حتى تتم إعادة تشغيل الصندوق + + + + Select Directory + تحديد الدليل + + + + CPopUpWindow + + + Sandboxie-Plus Notifications + إشعارات Sandboxie-Plus + + + + Do you want to allow the print spooler to write outside the sandbox for %1 (%2)? + هل تريد السماح لموزع الطباعة بالكتابة خارج ندوق العزل لـ %1 (%2)؟ + + + + Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? +File name: %3 + هل تريد السماح لـ %4 (%5) بنسخ ملف كبير بحجم %1 إلى صندوق العزل: %2؟ +اسم الملف: %3 + + + + Do you want to allow %1 (%2) access to the internet? +Full path: %3 + هل تريد السماح لـ %1 (%2) بالوصول إلى الإنترنت؟ +المسار الكامل: %3 + + + + %1 is eligible for quick recovery from %2. +The file was written by: %3 + %1 مؤهل للاسترداد السريع من %2. +تم كتابة الملف بواسطة: %3 + + + + an UNKNOWN process. + عملية غير معروفة. + + + + %1 (%2) + %1 (%2) + + + + + UNKNOWN + غير معروف + + + + Migrating a large file %1 into the sandbox %2, %3 left. +Full path: %4 + ترحيل ملف كبير %1 إلى صندوق العزل %2، %3 متبقية. +المسار الكامل: %4 + + + + CRecoveryLogWnd + + + Sandboxie-Plus - Recovery Log + Sandboxie-Plus - سجل الاسترداد + + + + Time|Box Name|File Path + الوقت|اسم الصندوق|مسار الملف + + + + Cleanup Recovery Log + نظف سجل الاسترداد + + + + The following files were recently recovered and moved out of a sandbox. + the following files were recently recovered and moved out of a sandbox. + تم استرداد الملفات التالية مؤخرًا ونقلها خارج صندوق العزل. + + + + CRecoveryWindow + + + %1 - File Recovery + %1 - استرداد الملف + + + + File Name + اسم الملف + + + + File Size + حجم الملف + + + + Full Path + المسار الكامل + + + + Remember target selection + تذكر الهدف المحدد + + + + Delete everything, including all snapshots + حذف كل شيء، بما في ذلك جميع لقطات الصندوق + + + + Original location + الموقع الأصلي + + + + Browse for location + التصفح بحثًا عن الموقع + + + + Clear folder list + مسح قائمة المجلدات + + + + + + Select Directory + تحديد الدليل + + + + No Files selected! + لم يتم تحديد أي ملفات! + + + + Do you really want to delete %1 selected files? + هل تريد حقًا حذف %1 ملفًا محددًا؟ + + + + Close until all programs stop in this box + أغلق حتى تتوقف جميع البرامج في هذا الصندوق + + + + Close and Disable Immediate Recovery for this box + أغلق وقم بتعطيل الاسترداد الفوري لهذا الصندوق + + + + There are %1 new files available to recover. + يوجد %1 ملف جديد متاح للاسترداد. + + + + Recovering File(s)... + استرداد ملف(ات)... + + + + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. + يوجد %1 ملف و%2 مجلد في صندوق العزل، يشغلان %3 من مساحة القرص. + + + + CRunPage + + + Troubleshooting ... + استكشاف الأخطاء وإصلاحها... + + + + This troubleshooting procedure could not be initialized. You can click on next to submit an issue report. + لم يتم تهيئة إجراء استكشاف الأخطاء وإصلاحها هذا. يمكنك النقر فوق التالي لإرسال تقرير عن المشكلة. + + + + Something failed internally this troubleshooting procedure can not continue. You can click on next to submit an issue report. + Somethign failed internally this troubleshooting procedure can not continue. You can click on next to submit an issue report. + حدث خطأ داخليًا، ولا يمكن متابعة إجراء استكشاف الأخطاء وإصلاحها هذا. يمكنك النقر فوق التالي لإرسال تقرير عن المشكلة. + + + + + +Error: + + +خطأ: + + + + CSBUpdate + + + Configure <b>Sandboxie-Plus</b> updater + تكوين محدث <b>Sandboxie-Plus</b> + + + + Like with any other security product, it's important to keep your Sandboxie-Plus up to date. + Like with any other security product it's important to keep your Sandboxie-Plus up to date. + كما هو الحال مع أي منتج أمان آخر، من المهم أن تحافظ على تحديث Sandboxie-Plus الخاص بك. + + + + Regularly check for all updates to Sandboxie-Plus and optional components + Regularly Check for all updates to Sandboxie-Plus and optional components + تحقق بانتظام من جميع التحديثات الخاصة بـ Sandboxie-Plus والمكونات الاختيارية + + + + Let Sandboxie regularly check for latest updates. + Let sandboxie regularly check for latest updates. + دع Sandboxie يتحقق بانتظام من أحدث التحديثات. + + + + Check for new Sandboxie-Plus versions: + تحقق من إصدارات Sandboxie-Plus الجديدة: + + + + Check for new Sandboxie-Plus builds. + تحقق من إصدارات Sandboxie-Plus الجديدة. + + + + Select in which update channel to look for new Sandboxie-Plus builds: + Sellect in which update channel to look for new Sandboxie-Plus builds: + حدد قناة التحديث التي تريد البحث فيها عن إصدارات Sandboxie-Plus الجديدة: + + + + In the Stable Channel + في القناة المستقرة + + + + The stable channel contains the latest stable GitHub releases. + تحتوي القناة المستقرة على أحدث إصدارات GitHub المستقرة. + + + + In the Preview Channel - with newest experimental changes + في قناة المعاينة - مع أحدث التغييرات التجريبية + + + + The preview channel contains the latest GitHub pre-releases. + تحتوي قناة المعاينة على أحدث إصدارات GitHub الأولية. + + + + In the Insider Channel - exclusive features + في قناة Insider - ميزات حصرية + + + + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. +Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. + تقدم قناة Insider وصولاً مبكرًا إلى الميزات الجديدة وإصلاحات الأخطاء التي سيتم إصدارها للجمهور في النهاية، بالإضافة إلى جميع التحسينات ذات الصلة من القناة المستقرة. +وعلى عكس قناة المعاينة، لا تتضمن القناة تغييرات غير مجربة أو قد تكون معطلة أو تجريبية قد لا تكون جاهزة للاستخدام على نطاق أوسع. + + + + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> + المزيد عن <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">قناة Insider</a> + + + + Keep Compatibility Templates up to date and apply hotfixes + Keep Compatybility Templates up to date and apply hotfixes + احرص على تحديث قوالب التوافق وتطبيق الإصلاحات العاجلة + + + + Check for latest compatibility templates and hotfixes. + Check for latest compatybility tempaltes and hotfixes. + تحقق من أحدث قوالب التوافق والإصلاحات العاجلة. + + + + Get the latest Scripts for the Troubleshooting Wizard + احصل على أحدث البرامج النصية لمعالج استكشاف الأخطاء وإصلاحها + + + + Check for latest troubleshooting scripts for the troubleshooting wizard. + Check for latest troubleshooting scripts for the troubleshooting wizars. + تحقق من أحدث البرامج النصية لاستكشاف الأخطاء وإصلاحها لمعالج استكشاف الأخطاء وإصلاحها. + + + + Keep the list of optional Add-on components up to date + احرص على تحديث قائمة مكونات الوظائف الإضافية الاختيارية + + + + Check for latest available add-ons. + Check for latest avaialble addons. + تحقق من أحدث الوظائف الإضافية المتاحة. + + + + Sandboxie-Plus applies strict application restrictions, which can lead to compatibility issues. Stay updated with Sandboxie-Plus, including compatibility templates and troubleshooting, to ensure smooth operation amid Windows updates and application changes. + يطبق Sandboxie-Plus قيودًا صارمة على التطبيقات، مما قد يؤدي إلى مشكلات التوافق. ابقَ على اطلاع دائم بـ Sandboxie-Plus، بما في ذلك قوالب التوافق واستكشاف الأخطاء وإصلاحها، لضمان التشغيل السلس وسط تحديثات Windows وتغييرات التطبيقات. + + + + Access to the latest compatibility templates and the online troubleshooting database requires a valid <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. + يتطلب الوصول إلى أحدث قوالب التوافق وقاعدة بيانات استكشاف الأخطاء وإصلاحها عبر الإنترنت شهادة <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">داعم</a> صالحة. + + + + CSandBox + + + Waiting for folder: %1 + في انتظار المجلد: %1 + + + + Deleting folder: %1 + حذف المجلد: %1 + + + + Merging folders: %1 &gt;&gt; %2 + دمج المجلدات: %1 &gt;&gt; %2 + + + + Finishing Snapshot Merge... + جارٍ الانتهاء من دمج اللقطات... + + + + CSandBoxPlus + + + Disabled + معطل + + + + OPEN Root Access + فتح الوصول إلى الجذر + + + + Application Compartment + حجرة تطبيق + + + + NOT SECURE + غير آمن + + + + Reduced Isolation + عزل مخفض + + + + Enhanced Isolation + عزل معزز + + + + Privacy Enhanced + خصوصية معززة + + + + No INet (with Exceptions) + دون شبكة إنترنت (مع استثناءات) + + + + No INet + دون شبكة إنترنت + + + + Net Share + مشاركة الشبكة + + + + No Admin + دون مسؤول + + + + Auto Delete + حذف تلقائي + + + + Normal + عادي + + + + CSandMan + + + + Sandboxie-Plus v%1 + Sandboxie-Plus v%1 + + + + Reset Columns + إعادة تعيين الأعمدة + + + + Copy Cell + نسخ الخلية + + + + Copy Row + نسخ الصف + + + + Copy Panel + نسخ اللوحة + + + + Time|Message + الوقت|الرسالة + + + + Sbie Messages + رسائل Sbie + + + + Trace Log + سجل التتبع + + + + Show/Hide + إظهار/إخفاء + + + + + + + Pause Forcing Programs + إيقاف إجبار البرامج + + + + + &Sandbox + &صندوق العزل + + + + + + Create New Box + إنشاء صندوق جديد + + + + Create Box Group + إنشاء مجموعة صناديق + + + + + Terminate All Processes + إنهاء جميع العمليات + + + + Disable File Recovery + تعطيل استرداد الملفات + + + + &Maintenance + &الصيانة + + + + Connect + الاتصال + + + + Disconnect + قطع الاتصال + + + + Stop All + إيقاف الكل + + + + &Advanced + &خيارات متقدمة + + + + Install Driver + تثبيت برنامج التشغيل + + + + Start Driver + بدء تشغيل برنامج التشغيل + + + + Stop Driver + إيقاف برنامج التشغيل + + + + Uninstall Driver + إلغاء تثبيت برنامج التشغيل + + + + Install Service + تثبيت الخدمة + + + + Start Service + بدء الخدمة + + + + Stop Service + إيقاف الخدمة + + + + Uninstall Service + إلغاء تثبيت الخدمة + + + + Setup Wizard + معالج الإعداد + + + + Uninstall All + إلغاء تثبيت الكل + + + + + Exit + خروج + + + + + &View + &عرض + + + + Simple View + عرض بسيط + + + + Advanced View + عرض متقدم + + + + Always on Top + دائمًا في المقدمة + + + + Show Hidden Boxes + إظهار الصندوقات المخفية + + + + Show All Sessions + إظهار كل الجلسات + + + + Refresh View + تحديث العرض + + + + Clean Up + التنظيف + + + + Cleanup Processes + تنظيف العمليات + + + + Cleanup Message Log + تنظيف سجل الرسائل + + + + Cleanup Trace Log + تنظيف سجل التتبع + + + + Cleanup Recovery Log + تنظيف سجل الاسترداد + + + + Keep terminated + استمر في الإنهاء + + + + &Options + &خيارات + + + + + Global Settings + الإعدادات العامة + + + + + Reset all hidden messages + إعادة تعيين جميع الرسائل المخفية + + + + + Reset all GUI options + إعادة تعيين جميع خيارات واجهة المستخدم الرسومية + + + + Trace Logging + تسجيل التتبع + + + + &Help + &مساعدة + + + + Visit Support Forum + زيارة منتدى الدعم + + + + Online Documentation + الوثائق عبر الإنترنت + + + + Check for Updates + التحقق من التحديثات + + + + About the Qt Framework + حول إطار عمل Qt + + + + + About Sandboxie-Plus + حول Sandboxie-Plus + + + + Create New Sandbox + إنشاء صندوق عزل جديد + + + + Create New Group + إنشاء مجموعة جديدة + + + + + + Cleanup + التنظيف + + + + <a href="sbie://update/installer" style="color: red;">There is a new Sandboxie-Plus release %1 ready</a> + <a href="sbie://update/installer" style="color: red;">يوجد إصدار جديد %1 من Sandboxie-Plus جاهز</a> + + + + <a href="sbie://update/apply" style="color: red;">There is a new Sandboxie-Plus update %1 ready</a> + <a href="sbie://update/apply" style="color: red;">يوجد تحديث جديد %1 من Sandboxie-Plus جاهز</a> + + + + <a href="sbie://update/check" style="color: red;">There is a new Sandboxie-Plus update v%1 available</a> + <a href="sbie://update/check" style="color: red;">يتوفر تحديث جديد v%1 لبرنامج Sandboxie-Plus</a> + + + + <a href="https://sandboxie-plus.com/go.php?to=patreon">Support Sandboxie-Plus on Patreon</a> + <a href="https://sandboxie-plus.com/go.php?to=patreon">ادعم Sandboxie-Plus على Patreon</a> + + + + Click to open web browser + انقر لفتح متصفح الويب + + + + Time|Box Name|File Path + الوقت|اسم الصندوق|مسار الملف + + + + + + Recovery Log + سجل الاسترداد + + + + Click to run installer + انقر لتشغيل المثبت + + + + Click to apply update + انقر لتطبيق التحديث + + + + Do you want to close Sandboxie Manager? + هل تريد إغلاق مدير Sandboxie؟ + + + + Sandboxie-Plus was running in portable mode, now it has to clean up the created services. This will prompt for administrative privileges. + +Do you want to do the clean up? + كان Sandboxie-Plus يعمل في الوضع المحمول، والآن عليه تنظيف الخدمات التي تم إنشاؤها. سيطالبك هذا بامتيازات المسؤول. + +هل تريد إجراء التنظيف؟ + + + + + + + + + Don't show this message again. + لا تعرض هذه الرسالة مرة أخرى. + + + + This box provides <a href="sbie://docs/security-mode">enhanced security isolation</a>, it is suitable to test untrusted software. + This box provides enhanced security isolation, it is suitable to test untrusted software. + يوفر هذا الصندوق <a href="sbie://docs/security-mode">عزل أمان معزز</a>، وهو مناسب لاختبار البرامج غير الموثوق بها. + + + + This box provides standard isolation, it is suitable to run your software to enhance security. + يوفر هذا الصندوق عزلًا عادي، وهو مناسب لتشغيل برامجك لتعزيز الأمان. + + + + This box does not enforce isolation, it is intended to be used as an <a href="sbie://docs/compartment-mode">application compartment</a> for software virtualization only. + This box does not enforce isolation, it is intended to be used as an application compartment for software virtualization only. + لا يفرض هذا الصندوق العزل، فهو مخصص للاستخدام كـ <a href="sbie://docs/compartment-mode">مقصورة تطبيق</a> لمحاكاة البرامج فقط. + + + + <br /><br />This box <a href="sbie://docs/privacy-mode">prevents access to all user data</a> locations, except explicitly granted in the Resource Access options. + + +This box <a href="sbie://docs/privacy-mode">prevents access to all user data</a> locations, except explicitly granted in the Resource Access options. + <br /><br />يمنع هذا الصندوق <a href="sbie://docs/privacy-mode">الوصول إلى جميع مواقع بيانات المستخدم</a>، باستثناء ما تم منحه صراحةً في خيارات الوصول إلى الموارد. + + + + Unknown operation '%1' requested via command line + تم طلب عملية غير معروفة '%1' عبر سطر الأوامر + + + + Dismiss Update Notification + رفض إشعار التحديث + + + + - Driver/Service NOT Running! + - برنامج التشغيل/الخدمة غير قيد التشغيل! + + + + - Deleting Sandbox Content + - حذف محتوى صندوق العزل + + + + Executing OnBoxDelete: %1 + تنفيذ OnBoxDelete: %1 + + + + Auto Deleting %1 Content + الحذف التلقائي لمحتوى %1 + + + + Auto deleting content of %1 + الحذف التلقائي لمحتوى %1 + + + + %1 Directory: %2 + دليل %1: %2 + + + + Application + التطبيق + + + + Installation + التثبيت + + + + Current Config: %1 + التكوين الحالي: %1 + + + + Do you want the setup wizard to be omitted? + هل تريد حذف معالج الإعداد؟ + + + + + + Sandboxie-Plus - Error + Sandboxie-Plus - خطأ + + + + Failed to stop all Sandboxie components + فشل في إيقاف جميع مكونات Sandboxie + + + + Failed to start required Sandboxie components + فشل في بدء تشغيل مكونات Sandboxie المطلوبة + + + + WARNING: Sandboxie-Plus.ini in %1 cannot be written to, settings will not be saved. + تحذير: لا يمكن كتابة Sandboxie-Plus.ini في %1، ولن يتم حفظ الإعدادات. + + + + Some compatibility templates (%1) are missing, probably deleted, do you want to remove them from all boxes? + بعض قوالب التوافق (%1) مفقودة، وربما تم حذفها، هل تريد إزالتها من جميع الصندوقات؟ + + + + Cleaned up removed templates... + تم تنظيف القوالب التي تمت إزالتها... + + + + Sandboxie-Plus was started in portable mode, do you want to put the Sandbox folder into its parent directory? +Yes will choose: %1 +No will choose: %2 + تم بدء تشغيل Sandboxie-Plus في الوضع المحمول، هل تريد وضع مجلد صندوق العزل في الدليل الرئيسي الخاص به؟ +نعم، سيتم اختيار: %1 +لا، سيتم اختيار: %2 + + + + Default sandbox not found; creating: %1 + لم يتم العثور على صندوق العزل الافتراضي؛ جارٍ الإنشاء: %1 + + + + - NOT connected + - غير متصل + + + + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> + مجموعة الميزات المحددة متاحة فقط لمؤيدي المشروع. سيتم إنهاء العمليات التي بدأت في صندوق مع تمكين مجموعة الميزات هذه دون شهادة داعم بعد 5 دقائق.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">كن داعمًا للمشروع</a>، واحصل على <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة داعم</a> + + + + Recovering file %1 to %2 + استعادة الملف %1 إلى %2 + + + + The file %1 already exists, do you want to overwrite it? + الملف %1 موجود بالفعل، هل تريد استبداله؟ + + + + + Do this for all files! + قم بذلك لجميع الملفات! + + + + + Checking file %1 + التحقق من الملف %1 + + + + The file %1 failed a security check! + +%2 + فشل الملف %1 في اجتياز فحص الأمان! + +%2 + + + + All files passed the checks + نجحت جميع الملفات في اجتياز الفحوصات + + + + The file %1 failed a security check, do you want to recover it anyway? + +%2 + The file %1 failed a security check, do you want to recover it anyways? + +%2 + فشل الملف %1 في اجتياز فحص الأمان، هل تريد استرداده على أي حال؟ + +%2 + + + + Failed to recover some files: + + فشل استرداد بعض الملفات: + + + + + Only Administrators can change the config. + يمكن للمسؤولين فقط تغيير التكوين. + + + + Please enter the configuration password. + الرجاء إدخال كلمة مرور التكوين. + + + + Login Failed: %1 + فشل تسجيل الدخول: %1 + + + + Do you want to terminate all processes in all sandboxes? + هل تريد إنهاء جميع العمليات في جميع صناديق العزل؟ + + + + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. + تم بدء تشغيل Sandboxie-Plus في الوضع المحمول ويحتاج إلى إنشاء الخدمات الضرورية. سيطالبك هذا بامتيازات المسؤول. + + + + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. + تنبيه: هناك وكيل آخر (ربما SbieCtrl.exe) يدير بالفعل جلسة Sandboxie هذه، يرجى إغلاقه أولاً وإعادة الاتصال لتولي الأمر. + + + + Executing maintenance operation, please wait... + جاري تنفيذ عملية الصيانة، يرجى الانتظار... + + + + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? + هل تريد أيضًا إعادة تعيين صندوقات الرسائل المخفية (نعم)، أو فقط جميع رسائل السجل (لا)؟ + + + + The changes will be applied automatically whenever the file gets saved. + سيتم تطبيق التغييرات تلقائيًا كلما تم حفظ الملف. + + + + The changes will be applied automatically as soon as the editor is closed. + سيتم تطبيق التغييرات تلقائيًا بمجرد إغلاق المحرر. + + + + Error Status: 0x%1 (%2) + حالة الخطأ: 0x%1 (%2) + + + + Unknown + غير معروف + + + + A sandbox must be emptied before it can be deleted. + يجب إفراغ صندوق العزل قبل حذفه. + + + + Failed to copy box data files + فشل نسخ ملفات بيانات صندوق العزل + + + + Failed to remove old box data files + فشل في إزالة ملفات بيانات الصندوق القديمة + + + + Unknown Error Status: 0x%1 + حالة الخطأ غير المعروفة: 0x%1 + + + + Do you want to open %1 in a sandboxed or unsandboxed Web browser? + هل تريد فتح %1 في متصفح ويب معزول أو غير معزول؟ + + + + Sandboxed + معزول + + + + Unsandboxed + غير معزول + + + + Case Sensitive + حساس لحالة الأحرف + + + + RegExp + RegExp + + + + Highlight + تمييز + + + + Close + إغلاق + + + + &Find ... + &بحث ... + + + + All columns + جميع الأعمدة + + + + Administrator rights are required for this operation. + حقوق المسؤول مطلوبة لهذه العملية. + + + + Vintage View (like SbieCtrl) + عرض كلاسيكي (مثل SbieCtrl) + + + + Contribute to Sandboxie-Plus + المساهمة في Sandboxie-Plus + + + + Import Box + استيراد الصندوق + + + + + Run Sandboxed + تشغيل معزول + + + + Disable Message Popup + تعطيل نافذة الرسائل المنبثقة + + + + + Is Window Sandboxed? + Is Window Sandboxed + هل النافذة معزولة؟ + + + + + Sandboxie-Plus Insider [%1] + Sandboxie-Plus Insider [%1] + + + + Troubleshooting Wizard + معالج استكشاف الأخطاء وإصلاحها + + + + Show File Panel + إظهار لوحة الملفات + + + + + + + Edit Sandboxie.ini + تحرير Sandboxie.ini + + + + Edit Templates.ini + تحرير Templates.ini + + + + Edit Sandboxie-Plus.ini + تحرير Sandboxie-Plus.ini + + + + + Reload configuration + إعادة تحميل التكوين + + + + &File + &ملف + + + + Resource Access Monitor + مراقبة وصول الموارد + + + + Programs + البرامج + + + + Files and Folders + الملفات والمجلدات + + + + Import Sandbox + استيراد صندوق العزل + + + + Set Container Folder + تعيين مجلد الحاوية + + + + Set Layout and Groups + تعيين التخطيط والمجموعات + + + + Reveal Hidden Boxes + إظهار الصندوقات المخفية + + + + &Configure + &تكوين + + + + Program Alerts + تنبيهات البرنامج + + + + Windows Shell Integration + تكامل شل Windows + + + + Software Compatibility + توافق البرامج + + + + Lock Configuration + قفل التكوين + + + + Sandbox %1 + صندوق العزل %1 + + + + New-Box Menu + قائمة الصندوق الجديد + + + + Edit-ini Menu + تحرير-ini القائمة + + + + Toolbar Items + عناصر شريط الأدوات + + + + Reset Toolbar + إعادة تعيين شريط الأدوات + + + + Click to download update + انقر لتنزيل التحديث + + + + No Force Process + لا تفرض العملية + + + + Removed Shortcut: %1 + إزالة الاختصار: %1 + + + + Updated Shortcut to: %1 + تحديث الاختصار إلى: %1 + + + + Added Shortcut to: %1 + إضافة اختصار إلى: %1 + + + + Auto removing sandbox %1 + إزالة صندوق العزل تلقائيًا %1 + + + + Sandboxie-Plus Version: %1 (%2) + إصدار Sandboxie-Plus: %1 (%2) + + + + Data Directory: %1 + دليل البيانات: %1 + + + + for Personal use + للاستخدام الشخصي + + + + - for Non-Commercial use ONLY + - للاستخدام غير التجاري فقط + + + + Your Windows build %1 exceeds the current support capabilities of your Sandboxie version, resulting in the disabling of token-based security isolation. Consequently, all applications will operate in application compartment mode without secure isolation. +Please check if there is an update for sandboxie. + Your Windows build %1 exceeds the current support capabilities of your Sandboxie version, resulting in the disabling of token-based security isolation. Consequently, all applications will operate in application compartment mode without secure isolation. +Please check if there is an update for sandboxie. + يتجاوز إصدار Windows الخاص بك %1 قدرات الدعم الحالية لإصدار Sandboxie الخاص بك، مما يؤدي إلى تعطيل عزل الأمان القائم على الرمز. وبالتالي، ستعمل جميع التطبيقات في وضع حجرة التطبيق بدون عزل آمن. +يرجى التحقق مما إذا كان هناك تحديث لـ Sandboxie. + + + + Don't show this message again for the current build. + لا تعرض هذه الرسالة مرة أخرى للإصدار الحالي. + + + + Your Windows build %1 exceeds the current known support capabilities of your Sandboxie version, Sandboxie will attempt to use the last-known offsets which may cause system instability. + يتجاوز إصدار Windows %1 الخاص بك قدرات الدعم المعروفة حاليًا لإصدار Sandboxie الخاص بك، وسيحاول Sandboxie استخدام آخر الإزاحات المعروفة والتي قد تتسبب في عدم استقرار النظام. + + + + + + (%1) + (%1) + + + + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. + سيتم إنهاء البرنامج %1 الذي بدأ في الصندوق %2 في غضون 5 دقائق لأن الصندوق تم تكوينه لاستخدام الميزات المتوفرة حصريًا لمؤيدي المشروع. + + + + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. + تم تكوين الصندوق %1 لاستخدام الميزات المتوفرة حصريًا لمؤيدي المشروع، وسيتم تجاهل هذه الإعدادات المسبقة. + + + + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">كن أحد داعمي المشروع</a>، واحصل على <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة داعم</a> + + + + Virtual Disks + الأقراص الافتراضية + + + + + Suspend All Processes + تعليق جميع العمليات + + + + + Lock All Encrypted Boxes + قفل جميع الصناديق المشفرة + + + + + Restart As Admin + إعادة التشغيل كمسؤول + + + + This box will be <a href="sbie://docs/boxencryption">encrypted</a> and <a href="sbie://docs/black-box">access to sandboxed processes will be guarded</a>. + سيتم <a href="sbie://docs/boxencryption">تشفير</a> هذا الصندوق و<a href="sbie://docs/black-box">حماية الوصول إلى العمليات المعزولة</a>. + + + + + Which box you want to add in? + أي صندوق تريد إضافته؟ + + + + + Type the box name which you are going to set: + اكتب اسم الصندوق الذي تنوي تعيينه: + + + + + + + + Sandboxie-Plus Warning + تحذير Sandboxie-Plus + + + + The value is not an existing directory or executable. + القيمة ليست دليلاً موجودًا أو ملفًا قابلاً للتنفيذ. + + + + + You typed a wrong box name! Nothing was changed. + لقد كتبت اسمًا خاطئًا للصندوق! لم يتم تغيير أي شيء. + + + + + User canceled this operation. + قام المستخدم بإلغاء هذه العملية. + + + + USB sandbox not found; creating: %1 + لم يتم العثور على صندوق العزل USB؛ جارٍ الإنشاء: %1 + + + + Executing OnBoxTerminate: %1 + تنفيذ OnBoxTerminate: %1 + + + + Failed to configure hotkey %1, error: %2 + فشل في تكوين مفتاح التشغيل السريع %1، الخطأ: %2 + + + + The box %1 is configured to use features exclusively available to project supporters. + تم تكوين الصندوق %1 لاستخدام الميزات المتوفرة حصريًا لمؤيدي المشروع. + + + + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. + تم تكوين الصندوق %1 لاستخدام الميزات التي تتطلب شهادة مؤيد <b>متقدمة</b>. + + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">قم بترقية شهادتك</a> لفتح قفل الميزات المتقدمة. + + + + The selected feature requires an <b>advanced</b> supporter certificate. + تتطلب الميزة المحددة شهادة داعم <b>متقدمة</b>. + + + + <br />you need to be on the Great Patreon level or higher to unlock this feature. + <br />يجب أن تكون على مستوى Patreon العظيم أو أعلى لفتح هذه الميزة. + + + + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> + مجموعة الميزات المحددة متاحة فقط لمؤيدي المشروع.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">كن داعمًا للمشروع</a>، واحصل على <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة داعم</a> + + + + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! + تم حظر الشهادة التي تحاول استخدامها، مما يعني أنها أصبحت غير صالحة لسبب وجيه. وأي محاولة لاستخدامها تشكل خرقًا لشروط الاستخدام الخاصة بها! + + + + The Certificate Signature is invalid! + توقيع الشهادة غير صالح! + + + + The Certificate is not suitable for this product. + الشهادة غير مناسبة لهذا المنتج. + + + + The Certificate is node locked. + الشهادة مقفلة. + + + + The support certificate is not valid. +Error: %1 + شهادة الدعم غير صالحة. +خطأ: %1 + + + + The evaluation period has expired!!! + The evaluation periode has expired!!! + انتهت فترة التقييم!!! + + + + + Don't ask in future + لا تسأل في المستقبل + + + + Do you want to terminate all processes in encrypted sandboxes, and unmount them? + هل تريد إنهاء جميع العمليات في صناديق الحماية المشفرة وإلغاء تثبيتها؟ + + + + Please enter the duration, in seconds, for disabling Forced Programs rules. + يرجى إدخال المدة، بالثواني، لتعطيل قواعد البرامج المفروضة. + + + + No Recovery + دون استرداد + + + + No Messages + دون رسائل + + + + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. + <b>خطأ:</b> لا يحتوي مدير Sandboxie-Plus (SandMan.exe) على توقيع صالح (SandMan.exe.sig). يرجى تنزيل إصدار موثوق به من <a href="https://sandboxie-plus.com/go.php?to=sbie-get">صفحة التنزيل الرسمية</a>. + + + + Maintenance operation failed (%1) + فشلت عملية الصيانة (%1) + + + + Maintenance operation completed + اكتملت عملية الصيانة + + + + In the Plus UI, this functionality has been integrated into the main sandbox list view. + في واجهة مستخدم Plus، تم دمج هذه الوظيفة في عرض قائمة صندوق العزل الرئيسي. + + + + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. + باستخدام قائمة سياق الصندوق/المجموعة، يمكنك نقل الصندوقات والمجموعات إلى مجموعات أخرى. يمكنك أيضًا استخدام السحب والإفلات لتحريك العناصر. بدلاً من ذلك، يمكنك أيضًا استخدام مفاتيح الأسهم أثناء الضغط على مفتاح ALT لتحريك العناصر لأعلى ولأسفل داخل مجموعتها.<br />يمكنك إنشاء صناديق ومجموعات جديدة من قائمة صندوق العزل. + + + + You are about to edit the Templates.ini, this is generally not recommended. +This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. + You are about to edit the Templates.ini, thsi is generally not recommeded. +This file is part of Sandboxie and all changed done to it will be reverted next time Sandboxie is updated. + أنت على وشك تحرير Templates.ini، ولا يُنصح بذلك بشكل عام. +هذا الملف جزء من Sandboxie وسيتم التراجع عن جميع التغييرات التي أجريت عليه في المرة التالية التي يتم فيها تحديث Sandboxie. + + + + Sandboxie config has been reloaded + تم إعادة تحميل تكوين Sandboxie + + + + Failed to execute: %1 + فشل التنفيذ: %1 + + + + Failed to connect to the driver + فشل الاتصال بالبرنامج التشغيلي + + + + Failed to communicate with Sandboxie Service: %1 + فشل الاتصال بخدمة Sandboxie: %1 + + + + An incompatible Sandboxie %1 was found. Compatible versions: %2 + تم العثور على Sandboxie غير متوافق %1. الإصدارات المتوافقة: %2 + + + + Can't find Sandboxie installation path. + لا يمكن العثور على مسار تثبيت Sandboxie. + + + + Failed to copy configuration from sandbox %1: %2 + فشل نسخ التكوين من صندوق العزل %1: %2 + + + + A sandbox of the name %1 already exists + صندوق عزل باسم %1 موجود بالفعل + + + + Failed to delete sandbox %1: %2 + فشل حذف صندوق العزل %1: %2 + + + + The sandbox name can not be longer than 32 characters. + لا يمكن أن يكون اسم صندوق العزل أطول من 32 حرفًا. + + + + The sandbox name can not be a device name. + لا يمكن أن يكون اسم صندوق العزل اسم جهاز. + + + + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. + لا يمكن أن يحتوي اسم صندوق العزل إلا على أحرف وأرقام وعلامات سفلية يتم عرضها كمسافات. + + + + Failed to terminate all processes + فشل إنهاء جميع العمليات + + + + Delete protection is enabled for the sandbox + تم تمكين حماية الحذف لصندوق العزل + + + + All sandbox processes must be stopped before the box content can be deleted + يجب إيقاف جميع عمليات صندوق العزل قبل حذف محتوى الصندوق + + + + Error deleting sandbox folder: %1 + خطأ في حذف مجلد صندوق العزل: %1 + + + + All processes in a sandbox must be stopped before it can be renamed. + A all processes in a sandbox must be stopped before it can be renamed. + يجب إيقاف جميع العمليات في صندوق العزل قبل إعادة تسميته. + + + + Failed to move directory '%1' to '%2' + فشل نقل الدليل '%1' إلى '%2' + + + + Failed to move box image '%1' to '%2' + فشل نقل صورة الصندوق '%1' إلى '%2' + + + + This Snapshot operation can not be performed while processes are still running in the box. + لا يمكن تنفيذ عملية اللقطة هذه أثناء استمرار تشغيل العمليات في الصندوق. + + + + Failed to create directory for new snapshot + فشل إنشاء دليل للقطة الجديدة + + + + Snapshot not found + لم يتم العثور على اللقطة + + + + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. + خطأ في دمج أدلة اللقطة '%1' مع ​​'%2'، لم يتم دمج اللقطة بالكامل. + + + + Failed to remove old snapshot directory '%1' + فشل في إزالة دليل اللقطة القديمة '%1' + + + + Can't remove a snapshot that is shared by multiple later snapshots + لا يمكن إزالة لقطة مشتركة بين عدة لقطات لاحقة + + + + You are not authorized to update configuration in section '%1' + لا يحق لك تحديث التكوين في القسم '%1' + + + + Failed to set configuration setting %1 in section %2: %3 + فشل في تعيين إعداد التكوين %1 في القسم %2: %3 + + + + Can not create snapshot of an empty sandbox + لا يمكن إنشاء لقطة لصندوق عزل فارغ + + + + A sandbox with that name already exists + صندوق عزل بهذا الاسم موجود بالفعل + + + + The config password must not be longer than 64 characters + يجب ألا يزيد طول كلمة مرور التكوين عن 64 حرفًا + + + + The operation was canceled by the user + تم إلغاء العملية بواسطة المستخدم + + + + The content of an unmounted sandbox can not be deleted + The content of an un mounted sandbox can not be deleted + لا يمكن حذف محتوى صندوق عزل غير مثبت + + + + %1 + %1 + + + + Import/Export not available, 7z.dll could not be loaded + الاستيراد/التصدير غير متاح، تعذر تحميل 7z.dll + + + + Failed to create the box archive + فشل في إنشاء أرشيف الصندوق + + + + Failed to open the 7z archive + فشل في فتح أرشيف 7z + + + + Failed to unpack the box archive + فشل في فك ضغط أرشيف الصندوق + + + + The selected 7z file is NOT a box archive + ملف 7z المحدد ليس صندوقًا الأرشيف + + + + Operation failed for %1 item(s). + فشلت العملية لـ %1 عنصر(عناصر). + + + + Remember choice for later. + تذكر الاختيار لاحقًا. + + + + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> + <h3>حول Sandboxie-Plus</h3><p>الإصدار %1</p><p> + + + + This copy of Sandboxie-Plus is certified for: %1 + هذه النسخة من Sandboxie-Plus معتمدة لـ: %1 + + + + Sandboxie-Plus is free for personal and non-commercial use. + Sandboxie-Plus مجاني للاستخدام الشخصي وغير التجاري. + + + + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> + Sandboxie-Plus هو استمرار مفتوح المصدر لـ Sandboxie.<br />قم بزيارة <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> لمزيد من المعلومات.<br /><br />%2<br /><br />الميزات: %3<br /><br />التثبيت: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />الأيقونات من <a href="https://icons8.com">icons8.com</a> + + + + The supporter certificate is not valid for this build, please get an updated certificate + شهادة الداعم غير صالحة لهذا الإصدار، يرجى الحصول على شهادة محدثة + + + + The supporter certificate has expired%1, please get an updated certificate + The supporter certificate is expired %1 days ago, please get an updated certificate + انتهت صلاحية شهادة الداعم%1، يرجى الحصول على شهادة محدثة + + + + , but it remains valid for the current build + ، لكنها تظل صالحة للإصدار الحالي + + + + The supporter certificate will expire in %1 days, please get an updated certificate + ستنتهي صلاحية شهادة الداعم في غضون %1 يوم، يرجى الحصول على شهادة محدثة + + + + The selected window is running as part of program %1 in sandbox %2 + النافذة المحددة جارية كجزء من البرنامج %1 في صندوق العزل %2 + + + + The selected window is not running as part of any sandboxed program. + النافذة المحددة ليست جارية كجزء من أي برنامج في صندوق العزل. + + + + Drag the Finder Tool over a window to select it, then release the mouse to check if the window is sandboxed. + اسحب أداة البحث فوق نافذة لتحديدها، ثم حرر الماوس للتحقق مما إذا كانت النافذة في صندوق عزل. + + + + Sandboxie-Plus - Window Finder + Sandboxie-Plus - أداة البحث عن النوافذ + + + + Sandboxie Manager can not be run sandboxed! + لا يمكن تشغيل مدير Sandboxie في صندوق عزل! + + + + CSbieModel + + + Box Group + مجموعة الصناديق + + + + Empty + فارغة + + + + Name + الاسم + + + + Process ID + معرف العملية + + + + Status + الحالة + + + + Title + العنوان + + + + Info + المعلومات + + + + Path / Command Line + المسار / سطر الأوامر + + + + CSbieObject + + + Run &Un-Sandboxed + تشغيل &غير معزول + + + + CSbieProcess + + + Sbie RpcSs + Sbie RpcSs + + + + Sbie DcomLaunch + Sbie DcomLaunch + + + + Sbie Crypto + Sbie Crypto + + + + Sbie WuauServ + Sbie WuauServ + + + + Sbie BITS + Sbie BITS + + + + Sbie Svc + Sbie Svc + + + + MSI Installer + مثبت MSI + + + + Trusted Installer + المثبت الموثوق به + + + + Windows Update + محدث Windows + + + + Windows Explorer + مستكشف Windows + + + + Internet Explorer + Internet Explorer + + + + Firefox + Firefox + + + + Windows Media Player + Windows Media Player + + + + Winamp + Winamp + + + + KMPlayer + KMPlayer + + + + Windows Live Mail + Windows Live Mail + + + + Service Model Reg + Service Model Reg + + + + RunDll32 + RunDll32 + + + + + DllHost + DllHost + + + + Windows Ink Services + Windows Ink Services + + + + Chromium Based + Chromium Based + + + + Google Updater + Google Updater + + + + Acrobat Reader + Acrobat Reader + + + + MS Outlook + MS Outlook + + + + MS Excel + MS Excel + + + + Flash Player + Flash Player + + + + Firefox Plugin Container + Firefox Plugin Container + + + + Generic Web Browser + متصفح ويب عام + + + + Generic Mail Client + عميل البريد عام + + + + Thunderbird + Thunderbird + + + + Terminated + تم انهاء الخدمة + + + + Suspended + معلق + + + + Forced + مجبرة + + + + Running + جاري + + + + Elevated + مرتفع + + + + as System + كنظام + + + + in session %1 + في الجلسة %1 + + + + (%1) + (%1) + + + + CSbieTemplatesEx + + + Failed to initialize COM + فشل في تهيئة COM + + + + Failed to create update session + فشل في إنشاء جلسة التحديث + + + + Failed to create update searcher + فشل في إنشاء الباحث عن التحديث + + + + Failed to set search options + فشل في تعيين خيارات البحث + + + + Failed to enumerate installed Windows updates + Failed to search for updates + فشل في تعداد تحديثات Windows المثبتة + + + + Failed to retrieve update list from search result + فشل استرداد قائمة التحديثات من نتيجة البحث + + + + Failed to get update count + فشل الحصول على عدد التحديثات + + + + CSbieView + + + + Create New Box + إنشاء صندوق جديد + + + + Remove Group + إزالة المجموعة + + + + + Run + تشغيل + + + + Run Program + تشغيل برنامج + + + + Run from Start Menu + تشغيل من قائمة ابدأ + + + + Default Web Browser + متصفح الويب الافتراضي + + + + Default eMail Client + عميل البريد الإلكتروني الافتراضي + + + + Windows Explorer + مستكشف Windows + + + + Registry Editor + محرر التسجيل + + + + Programs and Features + البرامج والميزات + + + + Terminate All Programs + إنهاء كافة البرامج + + + + + + + + Create Shortcut + إنشاء اختصار + + + + + Explore Content + استكشاف المحتوى + + + + + Snapshots Manager + مدير اللقطات + + + + Recover Files + استرداد الملفات + + + + + Delete Content + حذف المحتوى + + + + Sandbox Presets + إعدادات مسبقة لـصندوق العزل + + + + Ask for UAC Elevation + اطلب رفع مستوى التحكم بحساب المستخدم + + + + Drop Admin Rights + إسقاط حقوق المسؤول + + + + Emulate Admin Rights + محاكاة حقوق المسؤول + + + + Block Internet Access + حظر الوصول إلى الإنترنت + + + + Allow Network Shares + السماح بمشاركات الشبكة + + + + Sandbox Options + خيارات صندوق العزل + + + + Standard Applications + التطبيقات العادية + + + + Browse Files + استعراض الملفات + + + + + Sandbox Tools + أدوات صندوق العزل + + + + Duplicate Box Config + تكرار تكوين الصندوق + + + + + Rename Sandbox + إعادة تسمية صندوق العزل + + + + + Move Sandbox + نقل صندوق العزل + + + + + Remove Sandbox + إزالة صندوق العزل + + + + + Terminate + إنهاء + + + + Preset + إعداد مسبق + + + + + Pin to Run Menu + تثبيت في قائمة التشغيل + + + + Block and Terminate + حظر وإنهاء + + + + Allow internet access + السماح بالوصول إلى الإنترنت + + + + Force into this sandbox + فرض استعمال هذا صندوق العزل + + + + Set Linger Process + تعيين إطالة العملية + + + + Set Leader Process + ضبط عملية القائد + + + + File root: %1 + + جذر الملف: %1 + + + + + Registry root: %1 + + جذر السجل: %1 + + + + + IPC root: %1 + + جذر IPC: %1 + + + + + Options: + + الخيارات: + + + + + [None] + [لا شيء] + + + + Please enter a new group name + الرجاء إدخال اسم مجموعة جديد + + + + Do you really want to remove the selected group(s)? + هل تريد حقًا إزالة المجموعة (المجموعات) المحددة؟ + + + + + Create Box Group + إنشاء مجموعة صندوقات + + + + Rename Group + إعادة تسمية المجموعة + + + + + Stop Operations + إيقاف العمليات + + + + Command Prompt + موجه الأوامر + + + + Command Prompt (as Admin) + موجه الأوامر (كمسؤول) + + + + Command Prompt (32-bit) + موجه الأوامر (32 بت) + + + + Execute Autorun Entries + تنفيذ إدخالات التشغيل التلقائي + + + + Browse Content + استعراض المحتوى + + + + Box Content + محتوى الصندوق + + + + Open Registry + فتح السجل + + + + + Refresh Info + تحديث المعلومات + + + + + Import Box + استيراد الصندوق + + + + + (Host) Start Menu + (المضيف) قائمة ابدأ + + + + + Mount Box Image + تركيب صورة الصندوق + + + + + Unmount Box Image + إلغاء تركيب صورة الصندوق + + + + Immediate Recovery + الاسترداد الفوري + + + + Disable Force Rules + تعطيل قواعد الفرض + + + + Export Box + تصدير الصندوق + + + + + Move Up + تحريك لأعلى + + + + + Move Down + تحريك لأسفل + + + + Suspend + تعليق + + + + Resume + استئناف + + + + Run Web Browser + تشغيل متصفح الويب + + + + Run eMail Reader + تشغيل قارئ البريد الإلكتروني + + + + Run Any Program + تشغيل أي برنامج + + + + Run From Start Menu + تشغيل من قائمة ابدأ + + + + Run Windows Explorer + تشغيل مستكشف Windows + + + + Terminate Programs + إنهاء البرامج + + + + Quick Recover + الاسترداد السريع + + + + Sandbox Settings + إعدادات صندوق العزل + + + + Duplicate Sandbox Config + تكرار تكوين صندوق العزل + + + + Export Sandbox + تصدير صندوق العزل + + + + Move Group + نقل المجموعة + + + + Disk root: %1 + + جذر القرص: %1 + + + + + Please enter a new name for the Group. + الرجاء إدخال اسم جديد للمجموعة. + + + + Move entries by (negative values move up, positive values move down): + نقل الإدخالات حسب (القيم السلبية تتحرك لأعلى، والقيم الإيجابية تتحرك لأسفل): + + + + A group can not be its own parent. + لا يمكن للمجموعة أن تكون أصلها. + + + + Failed to open archive, wrong password? + فشل فتح الأرشيف، كلمة مرور خاطئة؟ + + + + Failed to open archive (%1)! + فشل فتح الأرشيف (%1)! + + + + Importing: %1 + استيراد: %1 + + + + The Sandbox name and Box Group name cannot use the ',()' symbol. + لا يمكن لاسم صندوق العزل واسم مجموعة الصناديق استخدام الرمز ',()'. + + + + This name is already used for a Box Group. + هذا الاسم مستخدم بالفعل لمجموعة صناديق. + + + + This name is already used for a Sandbox. + هذا الاسم مستخدم بالفعل لصندوق عزل. + + + + + + Don't show this message again. + لا تعرض هذه الرسالة مرة أخرى. + + + + + + This Sandbox is empty. + صندوق العزل هذا فارغ. + + + + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. + تحذير: محرر التسجيل المفتوح ليس معزول، يرجى توخي الحذر وإجراء التغييرات على مواقع صندوق العزل المحددة مسبقًا فقط. + + + + Don't show this warning in future + لا تعرض هذا التحذير في المستقبل + + + + Please enter a new name for the duplicated Sandbox. + يرجى إدخال اسم جديد لصندوق العزل المكرر. + + + + %1 Copy + %1 نسخ + + + + + Select file name + حدد اسم الملف + + + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + أرشيف 7-Zip (*.7z);;أرشيف Zip (*.zip) + + + + Exporting: %1 + تصدير: %1 + + + + Please enter a new name for the Sandbox. + يرجى إدخال اسم جديد لصندوق العزل. + + + + Please enter a new alias for the Sandbox. + يرجى إدخال اسم مستعار جديد لصندوق العزل. + + + + The entered name is not valid, do you want to set it as an alias instead? + الاسم المدخل غير صالح، هل تريد تعيينه كاسم مستعار بدلاً من ذلك؟ + + + + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! + Do you really want to remove the selected sandbox(es)? + هل تريد حقًا إزالة صندوق العزل المحدد؟<br /><br />تحذير: سيتم حذف محتوى الصندوق أيضًا! + + + + This Sandbox is already empty. + إن صندوق العزل هذا فارغ بالفعل. + + + + + Do you want to delete the content of the selected sandbox? + هل تريد حذف محتوى صندوق العزل المحدد؟ + + + + + Also delete all Snapshots + احذف أيضًا جميع اللقطات + + + + Do you really want to delete the content of all selected sandboxes? + هل تريد حقًا حذف محتوى جميع صناديق العزل المحددة؟ + + + + Do you want to terminate all processes in the selected sandbox(es)? + هل تريد إنهاء جميع العمليات في صندوق العزل المحدد؟ + + + + + Terminate without asking + إنهاء العملية دون سؤال + + + + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. + ستظهر الآن قائمة ابدأ الخاصة ب Sandboxie. حدد تطبيقًا من القائمة، وسيقوم Sandboxie بإنشاء أيقونة اختصار جديدة على سطح المكتب الحقيقي، والتي يمكنك استخدامها لاستدعاء التطبيق المحدد تحت إشراف Sandboxie. + + + + + Create Shortcut to sandbox %1 + إنشاء اختصار لصندوق العزل %1 + + + + Do you want to terminate %1? + Do you want to %1 %2? + هل تريد إنهاء %1؟ + + + + the selected processes + العمليات المحددة + + + + This box does not have Internet restrictions in place, do you want to enable them? + لا توجد قيود على الإنترنت في هذا الصندوق، هل تريد تمكينها؟ + + + + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? + This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? + صندوق العزل هذا معطل حاليًا أو مقيد بمجموعات أو مستخدمين محددين. هل تريد السماح بالوصول للجميع؟ + + + + CScriptManager + + + Fatal error, failed to load troubleshooting instructions! + خطأ فادح، فشل تحميل تعليمات استكشاف الأخطاء وإصلاحها! + + + + Error, troubleshooting instructions duplicated %1 (%2 <-> %3)! + خطأ، تعليمات استكشاف الأخطاء وإصلاحها مكررة %1 (%2 <-> %3)! + + + + Downloaded troubleshooting instructions are corrupted! + تعليمات استكشاف الأخطاء وإصلاحها التي تم تنزيلها تالفة! + + + + CSelectBoxWindow + + + Sandboxie-Plus - Run Sandboxed + Sandboxie-Plus - تشغيل معزول + + + + Are you sure you want to run the program outside the sandbox? + هل أنت متأكد من أنك تريد تشغيل البرنامج خارج صندوق العزل؟ + + + + Please select a sandbox. + الرجاء تحديد صندوق عزل. + + + + CSettingsWindow + + + Sandboxie Plus - Global Settings + Sandboxie Plus - Settings + Sandboxie Plus - الإعدادات العامة + + + + Auto Detection + الكشف التلقائي + + + + No Translation + لا توجد ترجمة + + + + + Don't integrate links + لا تدمج الروابط + + + + + As sub group + كمجموعة فرعية + + + + + Fully integrate + الدمج الكامل + + + + Don't show any icon + Don't integrate links + لا تعرض أي رمز + + + + Show Plus icon + إظهار رمز Plus + + + + Show Classic icon + إظهار الرمز الكلاسيكي + + + + All Boxes + جميع الصناديق + + + + Active + Pinned + نشط + مثبت + + + + Pinned Only + مثبت فقط + + + + Close to Tray + إغلاق الدرج + + + + Prompt before Close + المطالبة قبل الإغلاق + + + + Close + إغلاق + + + + None + لا شيء + + + + Native + أصلي + + + + Qt + Qt + + + + Every Day + كل يوم + + + + Every Week + كل أسبوع + + + + Every 2 Weeks + كل أسبوعين + + + + Every 30 days + كل 30 يومًا + + + + Ignore + تجاهل + + + + %1 + %1 % + %1 + + + + HwId: %1 + معرف الجهاز: %1 + + + + Search for settings + البحث عن الإعدادات + + + + + + Run &Sandboxed + تشغيل &معزول + + + + kilobytes (%1) + كيلوبايت (%1) + + + + Volume not attached + لم يتم إرفاق المجلد + + + + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> + <b>لقد استخدمت %1/%2 شهادة تقييم. لا يمكن إنشاء المزيد من الشهادات المجانية.</b> + + + + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> + <b><a href="_">احصل على شهادة تقييم مجانية</a> واستمتع بجميع الميزات المميزة لمدة %1 يومًا.</b> + + + + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. + انتهت صلاحية شهادة الداعم هذه، يرجى <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">الحصول على شهادة محدثة</a>. + + + + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. + <br /><font color='red'>بالنسبة للإصدار الحالي، تظل ميزات Plus ممكّنة</font>، ولكن لم يعد بإمكانك الوصول إلى خدمات Sandboxie-Live، بما في ذلك تحديثات التوافق وقاعدة بيانات استكشاف الأخطاء وإصلاحها. + + + + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. + ستنتهي صلاحية شهادة الداعم هذه <font color='red'>خلال %1 يومًا</font>، يرجى <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">الحصول على شهادة محدثة</a>. + + + + Expires in: %1 days + Expires: %1 Days ago + تنتهي صلاحيته في: %1 يوم + + + + Options: %1 + الخيارات: %1 + + + + Security/Privacy Enhanced & App Boxes (SBox): %1 + تحسين الأمان/الخصوصية وصناديق التطبيقات (SBox): %1 + + + + + + + Enabled + ممكّن + + + + + + + Disabled + معطل + + + + Encrypted Sandboxes (EBox): %1 + صناديق العزل المشفرة (EBox): %1 + + + + Network Interception (NetI): %1 + اعتراض الشبكة (NetI): %1 + + + + Sandboxie Desktop (Desk): %1 + سطح مكتب Sandboxie (Desk): %1 + + + + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. + لا يبدو هذا كرقم تسلسلي لـ Sandboxie-Plus.<br />إذا حاولت إدخال مفتاح التحديث أو التوقيع من شهادة، فهذا غير صحيح، فيرجى إدخال الشهادة بالكامل في منطقة النص أعلاه بدلاً من ذلك. + + + + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. + You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. + إنك تحاول استخدام مفتاح ترقية ميزة دون إدخال شهادة داعمة موجودة مسبقًا. يرجى ملاحظة أن هذا النوع من المفاتيح (<b>كما هو مذكور بوضوح بالخط العريض على الموقع الإلكتروني</b) يتطلب منك الحصول على شهادة داعمة موجودة مسبقًا؛ لا فائدة منه بدون شهادة.<br />إذا كنت تريد استخدام الميزات المتقدمة، فأنت بحاجة إلى الحصول على شهادة عادية ومفتاح ترقية الميزة لفتح الوظائف المتقدمة. + + + + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. + You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. + إنك تحاول استخدام مفتاح تجديد دون إدخال شهادة داعم موجودة مسبقًا. يرجى ملاحظة أن هذا النوع من المفاتيح (<b>كما هو مذكور بوضوح بالخط العريض على الموقع الإلكتروني</b) يتطلب منك الحصول على شهادة داعم صالحة موجودة مسبقًا؛ ولا فائدة منه بدونها. + + + + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> + <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> + <br /><br /><u>إذا لم تقرأ وصف المنتج وحصلت على هذا المفتاح عن طريق الخطأ، فيرجى الاتصال بنا عبر البريد الإلكتروني (المتوفر على موقعنا الإلكتروني) لحل هذه المشكلة.</u> + + + + Sandboxie-Plus - Get EVALUATION Certificate + Sandboxie-Plus - الحصول على شهادة تقييم + + + + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. +You can request up to %3 evaluation certificates for each unique hardware ID. + يرجى إدخال عنوان بريدك الإلكتروني لتلقي شهادة تقييم مجانية لمدة %1 يوم، والتي سيتم إصدارها إلى %2 وقفلها على الجهاز الحالي. +يمكنك طلب ما يصل إلى %3 شهادات تقييم لكل معرف أجهزة فريد. + + + + Error retrieving certificate: %1 + Error retriving certificate: %1 + خطأ في استرداد الشهادة: %1 + + + + Unknown Error (probably a network issue) + خطأ غير معروف (ربما مشكلة في الشبكة) + + + + Contributor + مساهم + + + + Eternal + أبدي + + + + Business + أعمال + + + + Personal + شخصي + + + + Great Patreon + مستخدم رائع على Patreon + + + + Patreon + Patreon + + + + Family + عائلي + + + + Evaluation + تقييم + + + + Type %1 + النوع %1 + + + + Advanced + متقدم + + + + Advanced (L) + متقدم (L) + + + + Max Level + المستوى الأقصى + + + + Level %1 + المستوى %1 + + + + Supporter certificate required for access + مطلوب شهادة الداعم للوصول + + + + Supporter certificate required for automation + مطلوب شهادة الداعم للأتمتة + + + + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. + هذه الشهادة للأسف غير صالحة للإصدار الحالي، تحتاج إلى الحصول على شهادة جديدة أو الترقية إلى إصدار سابق. + + + + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. + على الرغم من انتهاء صلاحية هذه الشهادة، إلا أن الميزات الإضافية المثبتة حاليًا تظل ممكّنة. ومع ذلك، لن تتمكن بعد الآن من الوصول إلى خدمات Sandboxie-Live، بما في ذلك تحديثات التوافق وقاعدة بيانات استكشاف الأخطاء وإصلاحها عبر الإنترنت. + + + + This certificate has unfortunately expired, you need to get a new certificate. + انتهت صلاحية هذه الشهادة للأسف، تحتاج إلى الحصول على شهادة جديدة. + + + + + Sandboxed Web Browser + متصفح ويب معزول + + + + + Notify + إعلام + + + + + Download & Notify + تنزيل وإعلام + + + + + Download & Install + تنزيل وتثبيت + + + + Browse for Program + استعراض البرنامج + + + + Add %1 Template + إضافة قالب %1 + + + + Select font + تحديد الخط + + + + Reset font + إعادة تعيين الخط + + + + %0, %1 pt + %0, %1 pt + + + + Please enter message + الرجاء إدخال الرسالة + + + + Select Program + تحديد البرنامج + + + + Executables (*.exe *.cmd) + الملفات القابلة للتنفيذ (*.exe *.cmd) + + + + + Please enter a menu title + الرجاء إدخال عنوان القائمة + + + + Please enter a command + الرجاء إدخال أمر + + + + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. + يمكنك طلب شهادة تقييم مجانية لمدة %1 يوم حتى %2 مرة لكل معرف جهاز. + + + + <br /><font color='red'>Plus features will be disabled in %1 days.</font> + <br /><font color='red'>سيتم تعطيل ميزات Plus في غضون %1 يومًا.</font> + + + + <br />Plus features are no longer enabled. + <br />لم تعد ميزات Plus مفعلة. + + + + Expired: %1 days ago + انتهت صلاحيتها: منذ %1 يومًا + + + + + Retrieving certificate... + استرداد الشهادة... + + + + Home + الصفحة الرئيسية + + + + Run &Un-Sandboxed + تشغيل &دون عزل + + + + Set Force in Sandbox + تعيين فرض العزل + + + + Set Open Path in Sandbox + تعيين المسار المفتوح في صندوق العزل + + + + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. + لا يبدو هذا كشهادة. يُرجى إدخال الشهادة بالكامل، وليس جزءًا منها فقط. + + + + The evaluation certificate has been successfully applied. Enjoy your free trial! + تم تطبيق شهادة التقييم بنجاح. استمتع بالتجربة المجانية! + + + + Thank you for supporting the development of Sandboxie-Plus. + شكرًا لك على دعم تطوير Sandboxie-Plus. + + + + Update Available + التحديث متاح + + + + Installed + تم التثبيت + + + + by %1 + بواسطة %1 + + + + (info website) + (موقع معلومات) + + + + This Add-on is mandatory and can not be removed. + هذه الوظيفة الإضافية إلزامية ولا يمكن إزالتها. + + + + + Select Directory + حدد الدليل + + + + <a href="check">Check Now</a> + <a href="check">تحقق الآن</a> + + + + Please enter the new configuration password. + الرجاء إدخال كلمة مرور التكوين الجديدة. + + + + Please re-enter the new configuration password. + الرجاء إعادة إدخال كلمة مرور التكوين الجديدة. + + + + Passwords did not match, please retry. + لم تتطابق كلمات المرور، يرجى إعادة المحاولة. + + + + Process + العملية + + + + Folder + المجلد + + + + Please enter a program file name + الرجاء إدخال اسم ملف البرنامج + + + + Please enter the template identifier + الرجاء إدخال معرف القالب + + + + Error: %1 + خطأ: %1 + + + + Do you really want to delete the selected local template(s)? + هل تريد حقًا حذف القالب المحلي المحدد؟ + + + + %1 (Current) + %1 (الحالي) + + + + CSetupWizard + + + Setup Wizard + معالج الإعداد + + + + The decision you make here will affect which page you get to see next. + القرار الذي تتخذه هنا سيؤثر على الصفحة التي ستراها بعد ذلك. + + + + This help is likely not to be of any help. + من المحتمل ألا تكون هذه المساعدة مفيدة. + + + + Sorry, I already gave all the help I could. + آسف، لقد قدمت بالفعل كل المساعدة التي أستطيع تقديمها. + + + + Setup Wizard Help + مساعدة معالج الإعداد + + + + CShellPage + + + Configure <b>Sandboxie-Plus</b> shell integration + تكوين تكامل غلاف <b>Sandboxie-Plus</b> + + + + Configure how Sandboxie-Plus should integrate with your system. + تكوين كيفية تكامل Sandboxie-Plus مع نظامك. + + + + Start UI with Windows + بدء تشغيل واجهة المستخدم مع Windows + + + + Add 'Run Sandboxed' to the explorer context menu + أضف "تشغيل معزول" إلى قائمة سياق المستكشف + + + + Add desktop shortcut for starting Web browser under Sandboxie + أضف اختصار سطح المكتب لبدء تشغيل متصفح الويب ضمن Sandboxie + + + + Only applications with admin rights can change configuration + Only applications with administrator token can change ini setting. + يمكن فقط للتطبيقات التي تتمتع بحقوق المسؤول تغيير التكوين + + + + Warning + تحذير + + + + Enabling this option prevents changes to the Sandboxie.ini configuration from the user interface without admin rights. Be careful, as using Sandboxie Manager with normal user rights may result in a lockout. To make changes to the configuration, you must restart Sandboxie Manager as an admin by clicking 'Restart as Admin' in the 'Sandbox' menu in the main window. + يؤدي تمكين هذا الخيار إلى منع التغييرات في تكوين Sandboxie.ini من واجهة المستخدم بدون حقوق المسؤول. كن حذرًا، حيث قد يؤدي استخدام مدير Sandboxie بحقوق مستخدم عادية إلى الإغلاق. لإجراء تغييرات على التكوين، يجب إعادة تشغيل مدير Sandboxie كمسؤول بالنقر فوق "إعادة التشغيل كمسؤول" في قائمة "صندوق العزل" في النافذة الرئيسية. + + + + CSnapshotsWindow + + + %1 - Snapshots + %1 - لقطات + + + + Snapshot + لقطة + + + + Revert to empty box + العودة إلى صندوق فارغ + + + + (default) + (افتراضي) + + + + Please enter a name for the new Snapshot. + الرجاء إدخال اسم للقطة الجديدة. + + + + New Snapshot + لقطة جديدة + + + + Do you really want to switch the active snapshot? Doing so will delete the current state! + هل تريد حقًا تبديل اللقطة النشطة؟ سيؤدي القيام بذلك إلى حذف الحالة الحالية! + + + + Do you really want to delete the selected snapshot? + هل تريد حقًا حذف اللقطة المحددة؟ + + + + Performing Snapshot operation... + جارٍ تنفيذ عملية اللقط... + + + + CStackView + + + #|Symbol + #|الرمز + + + + CSubmitPage + + + Submit Issue Report + إرسال تقرير المشكلة + + + + Detailed issue description + وصف المشكلة بالتفصيل + + + + Attach Sandboxie.ini + إرفاق ملف Sandboxie.ini + + + + Sandboxing compatibility is reliant on the configuration, hence attaching the Sandboxie.ini file helps a lot with finding the issue. + يعتمد توافق Sandboxie على التكوين، وبالتالي فإن إرفاق ملف Sandboxie.ini يساعد كثيرًا في العثور على المشكلة. + + + + Attach Logs + إرفاق السجلات + + + + Selecting partially checked state sends only the message log, but not the trace log. +Before sending, you can review the logs in the main window. + Select partially checked state to sends only message log but no trace log. +Before sending you can review the logs in the main window. + يؤدي تحديد الحالة المحددة جزئيًا إلى إرسال سجل الرسائل فقط، ولكن ليس سجل التتبع. +قبل الإرسال، يمكنك مراجعة السجلات في النافذة الرئيسية. + + + + Attach Crash Dumps + إرفاق تفريغات الأعطال + + + + An application crashed during the troubleshooting procedure, attaching a crash dump can help with the debugging. + An applicatin crashed during the troubleshooting procedure, attaching a crash dump can help with the debugging. + تعطل تطبيق أثناء إجراء استكشاف الأخطاء وإصلاحها، يمكن أن يساعد إرفاق تفريغ الأعطال في تصحيح الأخطاء. + + + + Email address + عنوان البريد الإلكتروني + + + + You have the option to provide an email address to receive a notification once a solution for your issue has been identified. + لديك خيار تقديم عنوان بريد إلكتروني لتلقي إشعار بمجرد تحديد حل لمشكلتك. + + + + We apologize for the inconvenience you are currently facing with Sandboxie-Plus. + نعتذر عن الإزعاج الذي تواجهه حاليًا مع Sandboxie-Plus. + + + + Unfortunately, the automated troubleshooting procedure failed. + للأسف، فشلت عملية استكشاف الأخطاء وإصلاحها التلقائية. + + + + Regrettably, there is no automated troubleshooting procedure available for the specific issue you have described. + للأسف، لا تتوفر عملية استكشاف أخطاء وإصلاحها تلقائية للمشكلة المحددة التي وصفتها. + + + + If you wish to submit an issue report, please review the report below and click 'Finish'. + إذا كنت ترغب في إرسال تقرير مشكلة، يرجى مراجعة التقرير أدناه والنقر فوق "إنهاء". + + + + Compressing Logs + ضغط السجلات + + + + Compressing Dumps + ضغط التفريغات + + + + Submitting issue report... + إرسال تقرير المشكلة... + + + + Failed to submit issue report, error %1 +Try submitting without the log attached. + فشل إرسال تقرير المشكلة، الخطأ %1 +حاول الإرسال بدون إرفاق السجل. + + + + Your issue report has been successfully submitted, thank you. + Your issue report have been successfully submitted, thank you. + تم إرسال تقرير المشكلة بنجاح، شكرًا لك. + + + + CSummaryPage + + + Create the new Sandbox + إنشاء صندوق العزل الجديد + + + + Almost complete, click Finish to create a new sandbox and conclude the wizard. + تم الانتهاء تقريبًا، انقر فوق "إنهاء" لإنشاء صندوق عزل جديد وإنهاء المعالج. + + + + Save options as new defaults + حفظ الخيارات كإعدادات افتراضية جديدة + + + + Skip this summary page when advanced options are not set + Don't show the summary page in future (unless advanced options were set) + تخطي صفحة الملخص هذه عندما لا يتم تعيين الخيارات المتقدمة + + + + +This Sandbox will be saved to: %1 + +سيتم حفظ صندوق العزل هذا في: %1 + + + + +This box's content will be DISCARDED when it's closed, and the box will be removed. + +This box's content will be DISCARDED when its closed, and the box will be removed. + +سيتم إزالة محتوى هذا الصندوق عند إغلاقه، وسيتم إزالة الصندوق. + + + + +This box will DISCARD its content when its closed, its suitable only for temporary data. + +سيتم إزالة محتوى هذا الصندوق عند إغلاقه، وهو مناسب فقط للبيانات المؤقتة. + + + + +Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. + +لن تتمكن العمليات الموجودة في هذا الصندوق من الوصول إلى الإنترنت أو الشبكة المحلية، وهذا يضمن بقاء جميع البيانات التي تم الوصول إليها سرية. + + + + +This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. + +This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatybility but reduces the security isolation. + +سيقوم هذا الصندوق بتشغيل MSIServer (خدمة التثبيت *.msi) باستخدام رمز النظام، وهذا يحسن التوافق ولكنه يقلل من عزل الأمان. + + + + +Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. + +ستعتقد العمليات الموجودة في هذا الصندوق أنها تعمل بامتيازات إدارية، دون أن يكون لها امتيازات إدارية بالفعل، وبالتالي يمكن استخدام المثبتات حتى في صندوق معزز أمنيًا. + + + + +Processes in this box will be running with a custom process token indicating the sandbox they belong to. + +Processes in this box will be running with a custom process token indicating the sandbox thay belong to. + +سيتم تشغيل العمليات الموجودة في هذا الصندوق باستخدام رمز عملية مخصص يشير إلى صندوق العزل التي تنتمي إليها. + + + + Failed to create new box: %1 + فشل إنشاء صندوق جديد: %1 + + + + CSupportDialog + + + This Insider build requires a special certificate of type GREAT_PATREON, PERSONAL-HUGE, or CONTRIBUTOR. +If you are a Great Supporter on Patreon already, Sandboxie can check online for an update of your certificate. + يتطلب هذا الإصدار من Insider شهادة خاصة من نوع GREAT_PATREON أو PERSONAL-HUGE أو CONTRIBUTOR. +إذا كنت بالفعل أحد الداعمين العظماء على Patreon، فيمكن لـ Sandboxie التحقق عبر الإنترنت من تحديث شهادتك. + + + + + This Insider build requires a special certificate of type GREAT_PATREON, PERSONAL-HUGE, or CONTRIBUTOR. + يتطلب هذا الإصدار من Insider شهادة خاصة من نوع GREAT_PATREON أو PERSONAL-HUGE أو CONTRIBUTOR. + + + + An attempt was made to use a blocked certificate on this system. This action violates the terms of use for the support certificate. You must now purchase a valid certificate, as the usage of the free version has been restricted. + تمت محاولة استخدام شهادة محظورة على هذا النظام. ينتهك هذا الإجراء شروط استخدام شهادة الدعم. يجب عليك الآن شراء شهادة صالحة، حيث تم تقييد استخدام الإصدار المجاني. + + + + This is a <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">exclusive Insider build</a> of Sandboxie-Plus it is only available to <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon Supporters</a> on higher tiers as well as to project contributors and owners of a HUGE supporter certificate. + هذا هو <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">إصدار Insider حصري</a> من Sandboxie-Plus وهو متاح فقط <a href="https://sandboxie-plus.com/go.php?to=patreon">لداعمي Patreon</a> على المستويات الأعلى بالإضافة إلى المساهمين في المشروع ومالكي شهادة داعم ضخمة. + + + + The installed supporter certificate allows for <b>%1 seats</b> to be active.<br /><br /> + تتيح شهادة الداعم المثبتة تفعيل <b>%1 مقعد</b>.<br /><br /> + + + + <b>There seems to be however %1 Sandboxie-Plus instances on your network, <font color='red'>you need to obtain additional <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert&tip=more">support certificates</a></font>.</b><br /><br /> + <b>There seams to be howeever %1 Sandboxie-Plus instances on your network, <font color='red'>you need to obtain additional <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert&tip=more">support certificates</a></font>.</b><br /><br /> + <b>يبدو أن هناك %1 مثيلات Sandboxie-Plus على شبكتك، <font color='red'>تحتاج إلى الحصول على <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert&tip=more">شهادات دعم</a></font> إضافية.</b><br /><br /> + + + + The installed supporter certificate <b>has expired %1 days ago</b> and <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">must be renewed</a>.<br /><br /> + The installed supporter certificate <b>has expired %1 days ago</b> and <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">must be renewed</a>.<br /><br /> + انتهت صلاحية شهادة الداعم المثبتة <b>منذ %1 يومًا</b> و<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">يجب تجديدها</a>.<br /><br /> + + + + <b>You have installed Sandboxie-Plus more than %1 days ago.</b><br /><br /> + <b>لقد قمت بتثبيت Sandboxie-Plus منذ أكثر من %1 يومًا.</b><br /><br /> + + + + <u>Commercial use of Sandboxie past the evaluation period</u>, requires a valid <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">support certificate</a>. + <u>Commercial use of Sandboxie past the evaluation period</u>, requires a valid <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">support certificate</a>. + <u>الاستخدام التجاري لـ Sandboxie بعد فترة التقييم</u> يتطلب <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">شهادة دعم</a> صالحة. + + + + The installed supporter certificate is <b>outdated</b> and it is <u>not valid for<b> this version</b></u> of Sandboxie-Plus.<br /><br /> + شهادة الداعم المثبتة <b>قديمة</b> <u>وليست صالحة<b>لهذا الإصدار</b></u> من Sandboxie-Plus.<br /><br /> + + + + The installed supporter certificate is <b>expired</b> and <u>should be renewed</u>.<br /><br /> + The installed supporter certificate is <b>expired</b> and <u>should to be renewed</u>.<br /><br /> + شهادة الداعم المثبتة <b>انتهت صلاحيتها</b> و<u>يجب تجديدها</u>.<br /><br /> + + + + <b>You have been using Sandboxie-Plus for more than %1 days now.</b><br /><br /> + <b>لقد كنت تستخدم Sandboxie-Plus لأكثر من %1 يومًا الآن.</b><br /><br /> + + + + Sandboxie on ARM64 requires a valid supporter certificate for continued use.<br /><br /> + يتطلب Sandboxie على ARM64 شهادة داعم صالحة للاستخدام المستمر.<br /><br /> + + + + Personal use of Sandboxie is free of charge on x86/x64, although some functionality is only available to project supporters.<br /><br /> + الاستخدام الشخصي لـ Sandboxie مجاني على x86/x64، على الرغم من أن بعض الوظائف متاحة فقط لمؤيدي المشروع.<br /><br /> + + + + Please continue <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">supporting the project</a> by renewing your <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> and continue using the <b>enhanced functionality</b> in new builds. + Please continue <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a> by renewing your <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> and continue using the <b>enhanced functionality</b> in new builds. + يرجى الاستمرار في <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">دعم المشروع</a> عن طريق تجديد <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة الداعم</a> ومواصلة استخدام <b>الوظائف المحسنة</b> في الإصدارات الجديدة. + + + + Sandboxie <u>without</u> a valid supporter certificate will sometimes <b><font color='red'>pause for a few seconds</font></b>. This pause allows you to consider <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a> or <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">earning one by contributing</a> to the project. <br /><br />A <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> not just removes this reminder, but also enables <b>exclusive enhanced functionality</b> providing better security and compatibility. + Sandboxie <u>without</u> a valid supporter certificate will sometimes <b><font color='red'>pause for a few seconds</font></b>, to give you time to contemplate the option of <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>.<br /><br />A <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> not just removes this reminder, but also enables <b>exclusive enhanced functionality</b> providing better security and compatibility. + قد يتوقف Sandboxie <u>بدون</u> شهادة داعم صالحة في بعض الأحيان <b><font color='red'>لثوانٍ قليلة</font></b>. يتيح لك هذا التوقف التفكير في <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">شراء شهادة داعم</a> أو <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">كسب واحدة عن طريق المساهمة</a> في المشروع. <br /><br />لا تعمل <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة الدعم</a> على إزالة هذا التذكير فحسب، بل إنها تتيح أيضًا <b>وظائف حصرية محسنة</b> توفر أمانًا وتوافقًا أفضل. + + + + Sandboxie-Plus - Support Reminder + Sandboxie-Plus - تذكير بالدعم + + + + %1 + %1 + + + + Quit + إنهاء + + + + Continue + متابعة + + + + Get Certificate + الحصول على الشهادة + + + + Enter Certificate + إدخال الشهادة + + + + CTemplateTypePage + + + Create new Template + إنشاء قالب جديد + + + + Select template type: + تحديد نوع القالب: + + + + %1 template + قالب %1 + + + + CTemplateWizard + + + Compatibility Template Wizard + Compatybility Template Wizard + معالج قوالب التوافق + + + + Custom + مخصص + + + + Web Browser + متصفح الويب + + + + Force %1 to run in this sandbox + إجبار %1 على التشغيل في هذا صندوق العزل + + + + Allow direct access to the entire %1 profile folder + السماح بالوصول المباشر إلى مجلد ملف التعريف %1 بالكامل + + + + + Allow direct access to %1 phishing database + السماح بالوصول المباشر إلى قاعدة بيانات التصيد الاحتيالي %1 + + + + Allow direct access to %1 session management + السماح بالوصول المباشر إلى إدارة جلسة %1 + + + + + Allow direct access to %1 passwords + السماح بالوصول المباشر إلى كلمات المرور %1 + + + + + Allow direct access to %1 cookies + السماح بالوصول المباشر إلى ملفات تعريف الارتباط %1 + + + + + Allow direct access to %1 bookmark and history database + السماح بالوصول المباشر إلى قاعدة بيانات الإشارات المرجعية والسجل %1 + + + + Allow direct access to %1 sync data + السماح بالوصول المباشر إلى بيانات مزامنة %1 + + + + Allow direct access to %1 preferences + السماح بالوصول المباشر إلى %1 التفضيلات + + + + Allow direct access to %1 bookmarks + السماح بالوصول المباشر إلى إشارات %1 المرجعية + + + + CTestProxyDialog + + + + + + + + Sandboxie-Plus - Test Proxy + Sandboxie-Plus - اختبار الوكيل + + + + N/A + غير متوفر + + + + + Testing... + جارٍ الاختبار... + + + + This test cannot be disabled. + لا يمكن تعطيل هذا الاختبار. + + + + [%1] Starting Test 1: Connection to the Proxy Server + [%1] بدء الاختبار 1: الاتصال بخادم الوكيل + + + + [%1] IP Address: %2 + [%1] عنوان IP: %2 + + + + [%1] Connection established. + [%1] تم تأسيس الاتصال. + + + + + [%1] Test passed. + [%1] نجح الاختبار. + + + + [%1] Connection to proxy server failed: %2. + [%1] فشل الاتصال بخادم الوكيل: %2. + + + + + + + [%1] Test failed. + [%1] فشل الاختبار. + + + + [%1] Starting Test 2: Connection through the Proxy Server + [%1] بدء الاختبار 2: الاتصال عبر خادم الوكيل + + + + [%1] Authentication was successful. + [%1] نجحت المصادقة. + + + + [%1] Connection to %2 established through the proxy server. + [%1] تم تأسيس الاتصال بـ %2 عبر خادم الوكيل. + + + + [%1] Loading a web page to test the proxy server. + [%1] تحميل صفحة ويب لاختبار خادم الوكيل. + + + + [%1] %2. + [%1] %2. + + + + [%1] Connection through proxy server failed: %2. + [%1] فشل الاتصال عبر خادم الوكيل: %2. + + + + [%1] Web page loaded successfully. + [%1] تم تحميل صفحة الويب بنجاح. + + + + Timeout + انتهاء المهلة الزمنية + + + + [%1] Failed to load web page: %2. + [%1] فشل تحميل صفحة الويب: %2. + + + + [%1] Starting Test 3: Proxy Server latency + [%1] بدء الاختبار 3: زمن انتقال خادم الوكيل + + + + [%1] Latency through proxy server: %2ms. + [%1] زمن انتقال عبر خادم الوكيل: %2 مللي ثانية. + + + + [%1] Failed to get proxy server latency: Request timeout. + [%1] فشل الحصول على زمن انتقال خادم الوكيل: انتهاء المهلة الزمنية للطلب. + + + + [%1] Failed to get proxy server latency. + [%1] فشل الحصول على زمن انتقال خادم الوكيل. + + + + [%1] Test Finished. + [%1] انتهى الاختبار. + + + + + Stopped + توقف + + + + Stop + توقف + + + + [%1] Testing started... + Proxy Server + Address: %2 + Protocol: %3 + Authentication: %4%5 + [%1] بدأ الاختبار... + خادم الوكيل + العنوان: %2 + البروتوكول: %3 + المصادقة: %4%5 + + + + Retry + إعادة المحاولة + + + + Test Passed + نجح الاختبار + + + + Test Failed + فشل الاختبار + + + + Invalid Timeout value. Please enter a value between 1 and 60. + قيمة مهلة زمنية غير صالحة. الرجاء إدخال قيمة بين 1 و 60. + + + + Invalid Port value. Please enter a value between 1 and 65535. + قيمة المنفذ غير صالحة. الرجاء إدخال قيمة بين 1 و 65535. + + + + Invalid Host value. Please enter a valid host name excluding 'http[s]://'. + قيمة المضيف غير صالحة. الرجاء إدخال اسم مضيف صالح باستثناء 'http[s]://'. + + + + Invalid Ping Count value. Please enter a value between 1 and 10. + قيمة عدد مرات الاتصال غير صالحة. الرجاء إدخال قيمة بين 1 و 10. + + + + CTraceModel + + + Unknown + غير معروف + + + + %1 (%2) + %1 (%2) + + + + Process %1 + العملية %1 + + + + Thread %1 + الموضوع %1 + + + + Process + العملية + + + + Type + النوع + + + + Status + الحالة + + + + Value + القيمة + + + + CTraceView + + + Show as task tree + إظهار كشجرة مهام + + + + Show NT Object Tree + إظهار شجرة كائنات NT + + + + PID: + معرف العملية: + + + + + + + + + + + [All] + [الكل] + + + + TID: + معرف الموضوع: + + + + Type: + النوع: + + + + Status: + الحالة: + + + + Open + مفتوح + + + + Closed + مغلق + + + + Trace + تتبع + + + + Other + أخرى + + + + Show All Boxes + إظهار كل الصندوقات + + + + Show Stack Trace + إظهار تتبع المكدس + + + + Save to file + حفظ في ملف + + + + Auto Scroll + التمرير التلقائي + + + + Cleanup Trace Log + تنظيف سجل التتبع + + + + To use the stack traces feature the DbgHelp.dll and SymSrv.dll are required, do you want to download and install them? + لاستخدام ميزة تتبع المكدس، يلزم وجود DbgHelp.dll وSymSrv.dll، هل تريد تنزيلهما وتثبيتهما؟ + + + + Save trace log to file + حفظ سجل التتبع في ملف + + + + Failed to open log file for writing + فشل فتح ملف السجل للكتابة + + + + Saving TraceLog... + حفظ سجل التتبع... + + + + %1 (%2) + %1 (%2) + + + + Monitor mode + وضع المراقبة + + + + %1 + %1 + + + + CTraceWindow + + + Sandboxie-Plus - Trace Monitor + Sandboxie-Plus - مراقب التتبع + + + + CUIPage + + + Configure <b>Sandboxie-Plus</b> UI + تكوين واجهة مستخدم <b>Sandboxie-Plus</b> + + + + Select the user interface style you prefer. + حدد نمط واجهة المستخدم الذي تفضله. + + + + &Advanced UI for experts + &واجهة مستخدم متقدمة للخبراء + + + + &Simple UI for beginners + &واجهة مستخدم بسيطة للمبتدئين + + + + &Vintage SbieCtrl.exe UI + &واجهة مستخدم SbieCtrl.exe القديمة + + + + Use Bright Mode + استخدام الوضع الساطع + + + + Use Dark Mode + استخدام الوضع الداكن + + + + CompressDialog + + + Compress Files + ضغط الملفات + + + + Compression + الضغط + + + + When selected you will be prompted for a password after clicking OK + عند تحديد هذا الخيار، سيُطلب منك إدخال كلمة مرور بعد النقر فوق موافق + + + + Encrypt archive content + تشفير محتوى الأرشيف + + + + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. + يعمل الأرشفة الصلبة على تحسين نسب الضغط من خلال التعامل مع ملفات متعددة ككتلة بيانات مستمرة واحدة. وهي مثالية لعدد كبير من الملفات الصغيرة، حيث تجعل الأرشيف أكثر إحكاما، ولكنها قد تزيد من الوقت المطلوب لاستخراج الملفات الفردية. + + + + Create Solide Archive + إنشاء أرشيف صلب + + + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + قم بتصدير صندوق العزل إلى أرشيف، واختر معدل الضغط الخاص بك وقم بتخصيص إعدادات الضغط الإضافية. + + + + ExtractDialog + + + Extract Files + استخراج الملفات + + + + Import Sandbox from an archive + Export Sandbox from an archive + استيراد صندوق عزل من أرشيف + + + + Import Sandbox Name + استيراد اسم صندوق العزل + + + + Box Root Folder + مجلد جذر الصندوق + + + + ... + ... + + + + Import without encryption + استيراد بدون تشفير + + + + OptionsWindow + + + SandboxiePlus Options + خيارات SandboxiePlus + + + + General Options + الخيارات العامة + + + + Box Options + خيارات الصندوق + + + + Sandbox Indicator in title: + مؤشر صندوق العزل في العنوان: + + + + Sandboxed window border: + حدود النافذة المعزولة: + + + + Double click action: + إجراء النقر المزدوج: + + + + Separate user folders + فصل مجلدات المستخدم + + + + Box Structure + هيكل الصندوق + + + + Security Options + خيارات الأمان + + + + Security Hardening + تعزيز الأمان + + + + + + + + + + Protect the system from sandboxed processes + حماية النظام من العمليات المعزولة + + + + Elevation restrictions + قيود الارتفاع + + + + Drop rights from Administrators and Power Users groups + إسقاط الحقوق من مجموعات المسؤولين والمستخدمين المتميزين + + + + px Width + عرض البكسل + + + + Make applications think they are running elevated (allows to run installers safely) + جعل التطبيقات تعتقد أنها تعمل على مستوى مرتفع (يسمح بتشغيل المثبتات بأمان) + + + + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. + تنبيه: عند التشغيل في ظل وجود المسؤول المدمج، لا يمكن للعمليات إسقاط الامتيازات الإدارية. + + + + Appearance + المظهر + + + + (Recommended) + (مستحسن) + + + + Show this box in the 'run in box' selection prompt + إظهار هذا الصندوق في موجه اختيار "تشغيل في صندوق عزل" + + + + File Options + خيارات الملف + + + + Auto delete content changes when last sandboxed process terminates + Auto delete content when last sandboxed process terminates + حذف التغييرات تلقائيًا في المحتوى عند انتهاء آخر عملية معزولة + + + + Copy file size limit: + حد حجم نسخ الملف: + + + + Box Delete options + خيارات حذف الصندوق + + + + Protect this sandbox from deletion or emptying + حماية هذا صندوق العزل من الحذف أو التفريغ + + + + + File Migration + ترحيل الملف + + + + Allow elevated sandboxed applications to read the harddrive + السماح للتطبيقات المحمية المرتفعة بقراءة القرص الصلب + + + + Warn when an application opens a harddrive handle + التحذير عند فتح أحد التطبيقات لمقبض القرص الصلب + + + + kilobytes + كيلوبايت + + + + Issue message 2102 when a file is too large + إصدار رسالة 2102 عندما يكون الملف كبيرًا جدًا + + + + Prompt user for large file migration + مطالبة المستخدم بترحيل ملف كبير + + + + Allow the print spooler to print to files outside the sandbox + السماح لموزع الطباعة بالطباعة على الملفات خارج صندوق العزل + + + + Remove spooler restriction, printers can be installed outside the sandbox + إزالة قيد الموزع، يمكن تثبيت الطابعات خارج صندوق العزل + + + + Block read access to the clipboard + حظر الوصول للقراءة إلى الحافظة + + + + Open System Protected Storage + فتح نظام التخزين المحمي + + + + Block access to the printer spooler + حظر الوصول إلى مجموعة الطابعة + + + + Other restrictions + قيود أخرى + + + + Printing restrictions + قيود الطباعة + + + + Network restrictions + قيود الشبكة + + + + Block network files and folders, unless specifically opened. + حظر ملفات ومجلدات الشبكة، ما لم يتم فتحها على وجه التحديد. + + + + Run Menu + قائمة التشغيل + + + + You can configure custom entries for the sandbox run menu. + يمكنك تكوين إدخالات مخصصة لقائمة تشغيل صندوق العزل. + + + + + + + + + + + + + + + + Name + الاسم + + + + Command Line + سطر الأوامر + + + + Add program + إضافة برنامج + + + + + + + + + + + + + + + + + + + + + + + + + + + Remove + إزالة + + + + + + + + + + Type + النوع + + + + Program Groups + مجموعات البرامج + + + + Add Group + إضافة مجموعة + + + + + + + + Add Program + إضافة برنامج + + + + Force Folder + فرض المجلد + + + + + + Path + المسار + + + + Force Program + فرض البرنامج + + + + + + + + + + + + + + + + + + + + + + Show Templates + إظهار القوالب + + + + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. + ملاحظة أمنية: تتمتع التطبيقات المتقدمة التي تعمل تحت إشراف Sandboxie، باستخدام رمز مسؤول أو رمز نظام، بفرص أكبر لتجاوز العزل وتعديل النظام خارج الحماية. + + + + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required + السماح بتشغيل MSIServer باستخدام رمز نظام معزول وتطبيق استثناءات أخرى إذا لزم الأمر + + + + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. + ملاحظة: لا ينبغي أن تكون استثناءات برنامج التثبيت MSI مطلوبة، ولكن إذا واجهت مشكلات في تثبيت حزمة MSI التي تثق بها، فقد يساعد هذا الخيار في إكمال التثبيت بنجاح. يمكنك أيضًا محاولة تعطيل إسقاط حقوق المسؤول. + + + + General Configuration + التكوين العام + + + + Box Type Preset: + إعداد مسبق لنوع الصندوق: + + + + Box info + معلومات الصندوق + + + + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. + <b>تتوفر أنواع صناديق أخرى</b> حصريًا لـ <u>داعمي المشروع</u>، وتعمل الصناديق المحسنة للخصوصية <b><font color='red'>على حماية بيانات المستخدم من الوصول غير المشروع</font></b> بواسطة البرامج المعزولة.<br />إذا لم تكن داعمًا بعد، فيرجى التفكير في <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">دعم المشروع</a>، لتلقي <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة داعم</a>.<br />يمكنك اختبار أنواع الصناديق الأخرى عن طريق إنشاء صناديق عزل جديدة من هذه الأنواع، ومع ذلك، سيتم إنهاء العمليات في هذه الصناديق تلقائيًا بعد 5 دقائق. + + + + Always show this sandbox in the systray list (Pinned) + أظهر دائمًا هذا صندوق العزل في قائمة النظام (مثبت) + + + + Open Windows Credentials Store (user mode) + افتح متجر بيانات اعتماد Windows (وضع المستخدم) + + + + Prevent change to network and firewall parameters (user mode) + منع التغيير في معلمات الشبكة وجدار الحماية (وضع المستخدم) + + + + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. + يمكنك تجميع البرامج معًا وإعطائها اسم مجموعة. يمكن استخدام مجموعات البرامج مع بعض الإعدادات بدلاً من أسماء البرامج. تحل المجموعات المحددة للصندوق محل المجموعات المحددة في القوالب. + + + + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. + سيتم وضع البرامج المدخلة هنا، أو البرامج التي يتم تشغيلها من المواقع المدخلة، في هذا صندوق العزل تلقائيًا، ما لم يتم تشغيلها صراحةً في صندوق عزل آخر. + + + + + Stop Behaviour + سلوك الإيقاف + + + + Start Restrictions + قيود التشغيل + + + + Issue message 1308 when a program fails to start + إصدار رسالة 1308 عند فشل بدء تشغيل أحد البرامج + + + + Allow only selected programs to start in this sandbox. * + السماح فقط للبرامج المحددة بالبدء في هذا صندوق العزل. * + + + + Prevent selected programs from starting in this sandbox. + منع البرامج المحددة من البدء في هذا صندوق العزل. + + + + Allow all programs to start in this sandbox. + السماح لجميع البرامج بالبدء في هذا صندوق العزل. + + + + * Note: Programs installed to this sandbox won't be able to start at all. + * ملاحظة: لن تتمكن البرامج المثبتة في هذا صندوق عزل من البدء على الإطلاق. + + + + Process Restrictions + قيود العملية + + + + Issue message 1307 when a program is denied internet access + إصدار رسالة 1307 عند رفض وصول برنامج إلى الإنترنت + + + + Prompt user whether to allow an exemption from the blockade. + مطالبة المستخدم بما إذا كان سيسمح باستثناء من الحظر. + + + + Note: Programs installed to this sandbox won't be able to access the internet at all. + ملاحظة: لن تتمكن البرامج المثبتة في هذا صندوق العزل من الوصول إلى الإنترنت على الإطلاق. + + + + + + + + + Access + الوصول + + + + Use volume serial numbers for drives, like: \drive\C~1234-ABCD + استخدم أرقام التسلسل للمجلدات لمحركات الأقراص، مثل: \drive\C~1234-ABCD + + + + The box structure can only be changed when the sandbox is empty + لا يمكن تغيير بنية الصندوق إلا عندما يكون صندوق العزل فارغًا + + + + Disk/File access + الوصول إلى القرص/الملف + + + + Encrypt sandbox content + تشفير محتوى صندوق العزل + + + + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. + عند تمكين <a href="sbie://docs/boxencryption">تشفير الصندوق</a>، يتم تخزين المجلد الجذر للصندوق، بما في ذلك خلية التسجيل الخاصة به، في صورة قرص مشفرة، باستخدام تنفيذ AES-XTS الخاص بـ <a href="https://diskcryptor.org">Disk Cryptor</a>. + + + + Partially checked means prevent box removal but not content deletion. + يعني التحديد الجزئي منع إزالة الصندوق ولكن ليس حذف المحتوى. + + + + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. + <a href="addon://ImDisk">قم بتثبيت برنامج تشغيل ImDisk</a> لتمكين دعم قرص ذاكرة الوصول العشوائي وصورة القرص. + + + + Store the sandbox content in a Ram Disk + تخزين محتوى صندوق العزل في قرص ذاكرة الوصول العشوائي + + + + Set Password + تعيين كلمة المرور + + + + Virtualization scheme + مخطط المحاكاة الافتراضية + + + + Allow sandboxed processes to open files protected by EFS + السماح للعمليات المعزولة بفتح الملفات المحمية بواسطة EFS + + + + 2113: Content of migrated file was discarded +2114: File was not migrated, write access to file was denied +2115: File was not migrated, file will be opened read only + 2113: تم تجاهل محتوى الملف المهاجر +2114: لم يتم ترحيل الملف، وتم رفض الوصول إلى الكتابة إلى الملف +2115: لم يتم ترحيل الملف، سيتم فتح الملف للقراءة فقط + + + + Issue message 2113/2114/2115 when a file is not fully migrated + إصدار رسالة 2113/2114/2115 عندما لا يتم ترحيل الملف بالكامل + + + + Add Pattern + إضافة نمط + + + + Remove Pattern + إزالة النمط + + + + Pattern + النمط + + + + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. + لا يسمح صندوق العزل بالكتابة إلى ملفات المضيف، ما لم يسمح المستخدم بذلك. عندما يحاول تطبيق معزول تعديل ملف، يجب نسخ الملف بالكامل إلى صندوق العزل، وبالنسبة للملفات الكبيرة قد يستغرق هذا وقتًا كبيرًا. يوفر Sandboxie خيارات للتعامل مع هذه الحالات، والتي يمكن تكوينها على هذه الصفحة. + + + + Using wildcard patterns file specific behavior can be configured in the list below: + باستخدام أنماط الأحرف البدل، يمكن تكوين سلوك خاص بالملف في القائمة أدناه: + + + + When a file cannot be migrated, open it in read-only mode instead + عندما لا يمكن ترحيل ملف، افتحه في وضع القراءة فقط بدلاً من ذلك + + + + Open access to Proxy Configurations + فتح الوصول إلى تكوينات الوكيل + + + + + Move Up + تحريك لأعلى + + + + + Move Down + تحريك لأسفل + + + + File ACLs + قوائم التحكم في الوصول إلى الملفات + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + استخدام إدخالات التحكم في الوصول الأصلية للملفات والمجلدات المعزولة (لإعفاءات تمكين MSIServer) + + + + Security Isolation + عزل الأمان + + + + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. + يمكن لميزات العزل المختلفة أن تكسر التوافق مع بعض التطبيقات. إذا كنت تستخدم هذا صندوق العزل <b>ليس للأمان</b> ولكن لقابلية نقل التطبيق، فبتغيير هذه الخيارات يمكنك استعادة التوافق من خلال التضحية ببعض الأمان. + + + + Disable Security Isolation + تعطيل عزل الأمان + + + + Access Isolation + عزل الوصول + + + + + Box Protection + حماية الصندوق + + + + Protect processes within this box from host processes + حماية العمليات داخل هذا الصندوق من العمليات المضيفة + + + + Allow Process + السماح بالعملية + + + + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root + إصدار رسالة 1318/1317 عندما تحاول عملية مضيفة الوصول إلى عملية محمية/جذر الصندوق + + + + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. + تتمكن Sandboxie-Plus من إنشاء صناديق عزل سرية توفر حماية قوية ضد المراقبة غير المصرح بها أو العبث من قبل العمليات المضيفة. من خلال استخدام صورة صندوق عزل مشفرة، توفر هذه الميزة أعلى مستوى من السرية التشغيلية، مما يضمن سلامة العمليات المحمية. + + + + Deny Process + رفض العملية + + + + Use a Sandboxie login instead of an anonymous token + استخدم تسجيل دخول Sandboxie بدلاً من رمز مجهول + + + + Configure which processes can access Desktop objects like Windows and alike. + قم بتكوين العمليات التي يمكنها الوصول إلى كائنات سطح المكتب مثل Windows وما شابه. + + + + When the global hotkey is pressed 3 times in short succession this exception will be ignored. + عند الضغط على مفتاح التشغيل السريع العالمي 3 مرات متتالية، سيتم تجاهل هذا الاستثناء. + + + + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. + استثناء هذا صندوق العزل من الإنهاء عند استدعاء "إنهاء كافة العمليات". + + + + Image Protection + حماية الصورة + + + + Issue message 1305 when a program tries to load a sandboxed dll + إصدار رسالة 1305 عندما يحاول برنامج تحميل مكتبة DLL معزولة + + + + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox + Prevent sandboxes programs installed on host from loading dll's from the sandbox + منع البرامج المعزولة المثبتة على المضيف من تحميل مكتبات DLL من صندوق العزل + + + + Dlls && Extensions + مكتبات DLL والامتدادات + + + + Description + الوصف + + + + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. +This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. + Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. +This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. + غالبًا ما تميز قواعد الوصول إلى الموارد في Sandboxie ضد ثنائيات البرامج الموجودة داخل صندوق العزل. يعمل OpenFilePath وOpenKeyPath فقط مع ثنائيات التطبيقات الموجودة على المضيف بشكل أصلي. لتحديد قاعدة بدون هذا القيد، يجب استخدام OpenPipePath أو OpenConfPath. وبالمثل، يتم تعريف جميع توجيهات Closed(File|Key|Ipc)Path بواسطة النفي على سبيل المثال سيتم إغلاق 'ClosedFilePath=!iexplore.exe,C:Users*' دائمًا للملفات الثنائية الموجودة داخل صندوق العزل. يمكن تعطيل كل من سياسات التقييد في صفحة "سياسات الوصول". +يتم ذلك لمنع العمليات المارقة داخل صندوق العزل من إنشاء نسخة معاد تسميتها من نفسها والوصول إلى الموارد المحمية. هناك ناقل استغلال آخر وهو حقن مكتبة في عملية معتمدة للوصول إلى كل شيء مسموح لها بالوصول إليه. باستخدام حماية صورة المضيف، يمكن منع ذلك عن طريق منع التطبيقات (المثبتة على المضيف) التي تعمل داخل صندوق العزل من تحميل المكتبات من صندوق العزل نفسه. + + + + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. + Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. + يمكن تحسين وظائف Sandboxie باستخدام مكتبات DLL اختيارية يمكن تحميلها في كل عملية محمية عند بدء التشغيل بواسطة ملف SbieDll.dll، يقدم مدير الوظائف الإضافية في الإعدادات العالمية بعض الامتدادات المفيدة، بمجرد تثبيتها يمكن تمكينها هنا للصندوق الحالي. + + + + Advanced Security + Adcanced Security + الأمان المتقدم + + + + Other isolation + عزل آخر + + + + Privilege isolation + عزل الامتيازات + + + + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. + يتيح استخدام رمز Sandboxie مخصص عزل صناديق العزل الفردية عن بعضها البعض بشكل أفضل، كما يُظهر في عمود المستخدم لمديري المهام اسم الصندوق الذي تنتمي إليه العملية. ومع ذلك، قد تواجه بعض حلول الأمان التابعة لجهات خارجية مشكلات مع الرموز المخصصة. + + + + Program Control + التحكم في البرنامج + + + + Force Programs + فرض برامج + + + + Disable forced Process and Folder for this sandbox + تعطيل فرض العملية والمجلد لصندوق العزل هذا + + + + Breakout Programs + اخرج البرامج + + + + Breakout Program + اخرج البرنامج + + + + Breakout Folder + مجلد الخروج + + + + Force protection on mount + فرض الحماية عند التثبيت + + + + Prevent processes from capturing window images from sandboxed windows + Prevents getting an image of the window in the sandbox. + منع العمليات من التقاط صور النوافذ من النوافذ المعزولة + + + + Allow useful Windows processes access to protected processes + السماح لعمليات Windows المفيدة بالوصول إلى العمليات المحمية + + + + This feature does not block all means of obtaining a screen capture, only some common ones. + This feature does not block all means of optaining a screen capture only some common once. + لا تحظر هذه الميزة جميع وسائل الحصول على لقطة شاشة، بل بعض الوسائل الشائعة فقط. + + + + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. + Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. + منع تحريك الماوس، والإحضار إلى الأمام، والعمليات المماثلة، فمن المحتمل أن يتسبب هذا في حدوث مشكلات في الألعاب. + + + + Allow sandboxed windows to cover the taskbar + Allow sandboxed windows to cover taskbar + السماح للنوافذ المعزولة بتغطية شريط المهام + + + + Isolation + العزل + + + + Only Administrator user accounts can make changes to this sandbox + يمكن فقط لحسابات المستخدمين المسؤولين إجراء تغييرات على هذا صندوق العزل + + + + Job Object + كائن المهمة + + + + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. + Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. + سيتم السماح للبرامج المدخلة هنا بالخروج من هذا صندوق العزل عند بدء تشغيلها. ومن الممكن أيضًا إيداعها في صندوق عزلي آخر، على سبيل المثال، جعل متصفح الويب الخاص بك مفتوحًا دائمًا في صندوق مخصص. + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. + <b><font color='red'>تنبيه أمني</font>:</b> استخدام <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> و/أو <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> مع توجيهات Open[File/Pipe]Path قد يعرض الأمان للخطر. يرجى مراجعة قسم الأمان لكل خيار في الوثائق قبل الاستخدام. + + + + + + unlimited + غير محدود + + + + + bytes + بايتات + + + + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. +Partially checked: No groups will be added to the newly created sandboxed token. + تم تحديده: سيتم أيضًا إضافة مجموعة محلية إلى الرمز المميز الجديد الذي تم إنشاؤه في صندوق العزل، والذي يسمح بمعالجة جميع صناديق العزل مرة واحدة. سيكون مفيدًا لمراجعة السياسات. +تم التحديد جزئيًا: لن تتم إضافة أي مجموعات إلى الرمز المميز الجديد الذي تم إنشاؤه في صندوق العزل. + + + + Create a new sandboxed token instead of stripping down the original token + إنشاء رمز مميز جديد في صندوق العزل بدلاً من إزالة الرمز المميز الأصلي + + + + Drop ConHost.exe Process Integrity Level + إسقاط مستوى سلامة عملية ConHost.exe + + + + Force Children + فرض العناصر الفرعية + + + + Breakout Document + اخراج مستند + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>تنبيه أمني</font>:</b> استخدام <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> و/أو <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> مع توجيهات Open[File/Pipe]Path يمكن أن يعرض الأمان للخطر، كما يمكن أن يؤدي استخدام <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> مع السماح بأي * أو امتدادات غير آمنة (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) لخطر أمان. يرجى مراجعة قسم الأمان لكل خيار في الوثائق قبل الاستخدام. + + + + Lingering Programs + البرامج المتبقية + + + + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. + سيتم إنهاء البرامج المتبقية تلقائيًا إذا كانت لا تزال تعمل بعد إنهاء جميع العمليات الأخرى. + + + + Leader Programs + البرامج الرئيسية + + + + If leader processes are defined, all others are treated as lingering processes. + إذا تم تعريف العمليات الرئيسية، فسيتم التعامل مع جميع العمليات الأخرى باعتبارها عمليات باقية. + + + + Stop Options + خيارات الإيقاف + + + + Use Linger Leniency + استخدام تساهل التأخير + + + + Don't stop lingering processes with windows + لا توقف العمليات المتبقية التي لها نوافذ + + + + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. + This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. + يمكن استخدام هذا الإعداد لمنع تشغيل البرامج في صندوق العزل دون علم المستخدم أو موافقته. + + + + Display a pop-up warning before starting a process in the sandbox from an external source + A pop-up warning before launching a process into the sandbox from an external source. + عرض تحذير منبثق قبل بدء عملية في صندوق العزل من مصدر خارجي + + + + Files + الملفات + + + + Configure which processes can access Files, Folders and Pipes. +'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. + تكوين العمليات التي يمكنها الوصول إلى الملفات والمجلدات والأنابيب. +لا ينطبق الوصول "المفتوح" إلا على الثنائيات البرمجية الموجودة خارج صندوق العزل، ويمكنك استخدام "مفتوح للجميع" بدلاً من ذلك لتطبيقه على جميع البرامج، أو تغيير هذا السلوك في علامة التبويب "السياسات". + + + + Registry + السجل + + + + Configure which processes can access the Registry. +'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. + تكوين العمليات التي يمكنها الوصول إلى السجل. +لا ينطبق الوصول "المفتوح" إلا على الثنائيات البرمجية الموجودة خارج صندوق العزل، ويمكنك استخدام "مفتوح للجميع" بدلاً من ذلك لتطبيقه على جميع البرامج، أو تغيير هذا السلوك في علامة التبويب "السياسات". + + + + IPC + IPC + + + + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. +To specify a process use '$:program.exe' as path. + تكوين العمليات التي يمكنها الوصول إلى كائنات NT IPC مثل منافذ ALPC وعمليات الذاكرة والسياق الأخرى. +لتحديد عملية، استخدم '$:program.exe' كمسار. + + + + Wnd + Wnd + + + + Wnd Class + فئة Wnd + + + + COM + COM + + + + Class Id + Class Id + + + + Configure which processes can access COM objects. + قم بتكوين العمليات التي يمكنها الوصول إلى كائنات COM. + + + + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) + لا تستخدم COM الافتراضي، افتح الوصول إلى البنية الأساسية لـ COM للمضيفين (غير مستحسن) + + + + Access Policies + سياسات الوصول + + + + Network Options + خيارات الشبكة + + + + Set network/internet access for unlisted processes: + قم بتعيين الوصول إلى الشبكة/الإنترنت للعمليات غير المدرجة: + + + + Test Rules, Program: + اختبار القواعد، البرنامج: + + + + Port: + المنفذ: + + + + IP: + IP: + + + + Protocol: + البروتوكول: + + + + X + X + + + + Add Rule + إضافة قاعدة + + + + + + + + + + + + + Program + البرنامج + + + + + + + Action + الإجراء + + + + + Port + المنفذ + + + + + + IP + IP + + + + Protocol + البروتوكول + + + + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. + تنبيه: لم يتم تمكين Windows Filtering Platform مع برنامج التشغيل، وبالتالي سيتم تطبيق هذه القواعد في وضع المستخدم فقط ولا يمكن فرضها!!! وهذا يعني أن التطبيقات الضارة قد تتجاوزها. + + + + Resource Access + الوصول إلى الموارد + + + + Add File/Folder + إضافة ملف/مجلد + + + + Add Wnd Class + إضافة فئة Wnd + + + + Add IPC Path + إضافة مسار IPC + + + + Use the original token only for approved NT system calls + استخدام الرمز الأصلي فقط لمكالمات نظام NT المعتمدة + + + + Enable all security enhancements (make security hardened box) + تمكين جميع تحسينات الأمان (إنشاء صندوق أمان معزز) + + + + Restrict driver/device access to only approved ones + تقييد وصول برنامج التشغيل/الجهاز إلى الموافق عليه فقط + + + + Security enhancements + تحسينات الأمان + + + + Issue message 2111 when a process access is denied + إصدار رسالة 2111 عند رفض وصول عملية + + + + Prevent sandboxed processes from interfering with power operations (Experimental) + منع العمليات المعزولة من التدخل في عمليات الطاقة (تجريبي) + + + + Prevent interference with the user interface (Experimental) + منع التدخل في واجهة المستخدم (تجريبي) + + + + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) + منع العمليات المعزولة من التقاط صور النوافذ (تجريبي، قد يتسبب في حدوث خلل في واجهة المستخدم) + + + + Sandboxie token + رمز Sandboxie + + + + Add Reg Key + إضافة مفتاح السجل + + + + Add COM Object + إضافة كائن COM + + + + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. + تطبيق قواعد إغلاق...=!<program>,... أيضًا على جميع الثنائيات الموجودة في صندوق العزل. + + + + DNS Filter + مرشح DNS + + + + Add Filter + إضافة مرشح + + + + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. + باستخدام مرشح DNS، يمكن حظر المجالات الفردية، على أساس كل عملية. اترك عمود IP فارغًا للحظر أو أدخل عنوان IP لإعادة التوجيه. + + + + Domain + المجال + + + + Internet Proxy + وكيل الإنترنت + + + + Add Proxy + إضافة وكيل + + + + Test Proxy + اختبار الوكيل + + + + Auth + المصادقة + + + + Login + تسجيل الدخول + + + + Password + كلمة المرور + + + + Sandboxed programs can be forced to use a preset SOCKS5 proxy. + يمكن إجبار البرامج المعزولة على استخدام وكيل SOCKS5 محدد مسبقًا. + + + + Resolve hostnames via proxy + حل أسماء المضيفين عبر الوكيل + + + + Other Options + خيارات أخرى + + + + Port Blocking + حظر المنفذ + + + + Block common SAMBA ports + حظر منافذ SAMBA الشائعة + + + + Block DNS, UDP port 53 + حظر DNS، منفذ UDP 53 + + + + File Recovery + استرداد الملفات + + + + Quick Recovery + الاسترداد السريع + + + + Add Folder + إضافة مجلد + + + + Immediate Recovery + الاسترداد الفوري + + + + Ignore Extension + تجاهل الامتداد + + + + Ignore Folder + تجاهل المجلد + + + + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. + تمكين مطالبة الاسترداد الفوري لتتمكن من استرداد الملفات بمجرد إنشائها. + + + + You can exclude folders and file types (or file extensions) from Immediate Recovery. + يمكنك استبعاد المجلدات وأنواع الملفات (أو امتدادات الملفات) من الاسترداد الفوري. + + + + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. + عند استدعاء وظيفة الاسترداد السريع، سيتم فحص المجلدات التالية بحثًا عن محتوى معزول. + + + + Advanced Options + خيارات متقدمة + + + + Miscellaneous + متنوع + + + + Don't alter window class names created by sandboxed programs + لا تغير أسماء فئات النوافذ التي تم إنشاؤها بواسطة برامج معزولة + + + + Do not start sandboxed services using a system token (recommended) + لا تبدأ خدمات معزولة باستخدام رمز النظام (موصى به) + + + + + + + + + + Protect the sandbox integrity itself + حماية سلامة الحماية نفسها + + + + Drop critical privileges from processes running with a SYSTEM token + إسقاط الامتيازات الحرجة من العمليات التي يتم تشغيلها باستخدام رمز النظام + + + + + (Security Critical) + (حرج أمنيًا) + + + + Protect sandboxed SYSTEM processes from unprivileged processes + حماية عمليات النظام المعزولة من العمليات غير المميزة + + + + Force usage of custom dummy Manifest files (legacy behaviour) + فرض استخدام ملفات البيان الوهمية المخصصة (السلوك القديم) + + + + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. +The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. + تعتبر خصوصية القاعدة مقياسًا لمدى تطابق قاعدة معينة مع مسار معين، وببساطة فإن الخصوصية هي طول الأحرف من بداية المسار حتى آخر سلسلة فرعية مطابقة غير عامة. ستتمتع القاعدة التي تطابق فقط أنواع الملفات مثل "*.tmp" بأعلى خصوصية لأنها ستطابق دائمًا مسار الملف بالكامل. +يتمتع مستوى مطابقة العملية بأولوية أعلى من الخصوصية ويصف كيفية تطبيق القاعدة على عملية معينة. تتمتع القواعد التي يتم تطبيقها حسب اسم العملية أو المجموعة بأقوى مستوى تطابق، يليه التطابق بالنفي (أي القواعد التي تنطبق على جميع العمليات باستثناء العملية المحددة)، بينما تتمتع أدنى مستويات المطابقة بمطابقات عالمية، أي القواعد التي تنطبق على أي عملية. + + + + Prioritize rules based on their Specificity and Process Match Level + إعطاء الأولوية للقواعد بناءً على خصوصيتها ومستوى تطابق العملية + + + + Privacy Mode, block file and registry access to all locations except the generic system ones + وضع الخصوصية، حظر الوصول إلى الملفات والسجلات لجميع المواقع باستثناء المواقع العامة للنظام + + + + Access Mode + وضع الوصول + + + + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. + عند تمكين وضع الخصوصية، لن تتمكن العمليات المعزولة إلا من قراءة C:\Windows\* وC:\Program Files\* وأجزاء من سجل HKLM، وستحتاج جميع المواقع الأخرى إلى الوصول الصريح لتكون قابلة للقراءة و/أو الكتابة. في هذا الوضع، يتم تمكين خصوصية القاعدة دائمًا. + + + + Rule Policies + سياسات القاعدة + + + + Apply File and Key Open directives only to binaries located outside the sandbox. + تطبيق توجيهات فتح الملفات والمفتاح فقط على الثنائيات الموجودة خارج منطقة الحماية. + + + + Start the sandboxed RpcSs as a SYSTEM process (not recommended) + بدء تشغيل RpcSs المعزولة كعملية نظام (غير مستحسن) + + + + Allow only privileged processes to access the Service Control Manager + السماح فقط للعمليات المميزة بالوصول إلى مدير التحكم في الخدمة + + + + + Compatibility + التوافق + + + + Add sandboxed processes to job objects (recommended) + إضافة العمليات المعزولة إلى كائنات الوظيفة (مستحسن) + + + + Emulate sandboxed window station for all processes + محاكاة محطة نافذة معزولة لجميع العمليات + + + + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. + يعد عزل الأمان من خلال استخدام رمز عملية مقيد بشدة الوسيلة الأساسية لـ Sandboxie لفرض قيود صندوق العزل، وعندما يتم تعطيل هذا، يتم تشغيل الصندوق في وضع مقصورة التطبيق، أي أنه لم يعد يوفر أمانًا موثوقًا به، بل مجرد تقسيم بسيط للتطبيق. + + + + Allow sandboxed programs to manage Hardware/Devices + السماح للبرامج المعزولة بإدارة الأجهزة/المعدات + + + + Open access to Windows Security Account Manager + الوصول المفتوح إلى مدير حسابات الأمان ل Windows + + + + Open access to Windows Local Security Authority + الوصول المفتوح إلى هيئة الأمن المحلية ل Windows + + + + Allow to read memory of unsandboxed processes (not recommended) + السماح بقراءة ذاكرة العمليات غير المعزولة (غير مستحسن) + + + + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) + تعطيل استخدام RpcMgmtSetComTimeout افتراضيًا (قد يؤدي هذا إلى حل مشكلات التوافق) + + + + Security Isolation & Filtering + عزل الأمان والتصفية + + + + Disable Security Filtering (not recommended) + تعطيل تصفية الأمان (غير مستحسن) + + + + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. + تصفية الأمان المستخدمة بواسطة Sandboxie لفرض قيود الوصول إلى نظام الملفات والسجل، بالإضافة إلى تقييد الوصول إلى العملية. + + + + The below options can be used safely when you don't grant admin rights. + يمكن استخدام الخيارات أدناه بأمان عندما لا تمنح حقوق المسؤول. + + + + Triggers + المشغلات + + + + Event + الحدث + + + + + + + Run Command + تشغيل الأمر + + + + Start Service + بدء الخدمة + + + + These events are executed each time a box is started + يتم ​​تنفيذ هذه الأحداث في كل مرة يتم فيها تشغيل صندوق + + + + On Box Start + عند بدء تشغيل الصندوق + + + + + These commands are run UNBOXED just before the box content is deleted + يتم ​​تشغيل هذه الأوامر بدون صندوق قبل حذف محتوى الصندوق + + + + Allow use of nested job objects (works on Windows 8 and later) + السماح باستخدام كائنات الوظائف المتداخلة (تعمل على Windows 8 والإصدارات الأحدث) + + + + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. + يتم ​​تنفيذ هذه الأوامر فقط عند تهيئة الصندوق. لتشغيلها مرة أخرى، يجب حذف محتوى الصندوق. + + + + On Box Init + عند تهيئة الصندوق + + + + Here you can specify actions to be executed automatically on various box events. + هنا يمكنك تحديد الإجراءات التي سيتم تنفيذها تلقائيًا في أحداث صندوق مختلفة. + + + + Add Process + إضافة عملية + + + + Hide host processes from processes running in the sandbox. + إخفاء العمليات المضيفة من العمليات التي تعمل في صندوق العزل. + + + + Restrictions + القيود + + + + Various Options + خيارات متنوعة + + + + Apply ElevateCreateProcess Workaround (legacy behaviour) + تطبيق حل بديل ElevateCreateProcess (سلوك قديم) + + + + Use desktop object workaround for all processes + استخدام حل بديل لكائن سطح المكتب لجميع العمليات + + + + This command will be run before the box content will be deleted + سيتم تشغيل هذا الأمر قبل حذف محتوى الصندوق + + + + On File Recovery + عند استرداد الملف + + + + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked + This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked + سيتم تشغيل هذا الأمر قبل استرداد الملف وسيتم تمرير مسار الملف كحجة أولى. إذا أعاد هذا الأمر أي قيمة بخلاف 0، فسيتم حظر الاسترداد + + + + Run File Checker + تشغيل مدقق الملفات + + + + On Delete Content + عند حذف المحتوى + + + + Don't allow sandboxed processes to see processes running in other boxes + لا تسمح للعمليات المعزولة برؤية العمليات الجارية في صناديق أخرى + + + + Protect processes in this box from being accessed by specified unsandboxed host processes. + حماية العمليات الموجودة في هذا الصندوق من الوصول إليها بواسطة عمليات مضيفة غير معزولة محددة. + + + + + Process + العملية + + + + Users + المستخدمون + + + + Restrict Resource Access monitor to administrators only + تقييد مراقبة وصول الموارد للمسؤولين فقط + + + + Add User + إضافة مستخدم + + + + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. + +Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. + أضف حسابات المستخدمين ومجموعات المستخدمين إلى القائمة أدناه للحد من استخدام صندوق العزل على هذه الحسابات فقط. إذا كانت القائمة فارغة، يمكن استخدام صندوق العزل من قِبل جميع حسابات المستخدمين. + +ملاحظة: لا تنطبق إعدادات "البرامج المفروضة" و"المجلدات المفروضة" لصندوق العزل على حسابات المستخدمين التي لا يمكنها استخدام صندوق العزل. + + + + Add Option + إضافة خيار + + + + Bypass IPs + تجاوز عناوين IP + + + + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. + Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. + يمكنك هنا تكوين خيارات متقدمة لكل عملية لتحسين التوافق و/أو تخصيص سلوك صندوق العزل. + + + + Option + خيار + + + + These commands are run UNBOXED after all processes in the sandbox have finished. + يتم ​​تشغيل هذه الأوامر بدون صندوق العزل بعد انتهاء جميع العمليات في صندوق العزل. + + + + Privacy + الخصوصية + + + + Hide Firmware Information + Hide Firmware Informations + إخفاء معلومات البرامج الثابتة + + + + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. + Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. + تقرأ بعض البرامج تفاصيل النظام من خلال WMI (قاعدة بيانات مدمجة في Windows) بدلاً من الطرق العادية. على سبيل المثال، يمكن لـ "tasklist.exe" الحصول على قائمة كاملة بالعمليات من خلال الوصول إلى WMI، حتى إذا تم استخدام "HideOtherBoxes". قم بتمكين هذا الخيار لإيقاف هذا السلوك. + + + + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) + Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) + منع العمليات المعزولة من الوصول إلى تفاصيل النظام من خلال WMI (راجع تلميح الأدوات لمزيد من المعلومات) + + + + Process Hiding + إخفاء العملية + + + + Use a custom Locale/LangID + استخدام معرف لغة/محلي مخصص + + + + Data Protection + حماية البيانات + + + + Dump the current Firmware Tables to HKCU\System\SbieCustom + Dump the current Firmare Tables to HKCU\System\SbieCustom + تفريغ جداول البرامج الثابتة الحالية إلى HKCU\System\SbieCustom + + + + Dump FW Tables + تفريغ جداول البرامج الثابتة + + + + Tracing + التتبع + + + + Pipe Trace + تتبع الأنابيب + + + + API call Trace (traces all SBIE hooks) + تتبع استدعاء واجهة برمجة التطبيقات (يتتبع جميع خطافات SBIE) + + + + Log all SetError's to Trace log (creates a lot of output) + تسجيل جميع أخطاء SetError في سجل التتبع (ينشئ الكثير من الإخراج) + + + + Log Debug Output to the Trace Log + تسجيل إخراج تصحيح الأخطاء في سجل التتبع + + + + Log all access events as seen by the driver to the resource access log. + +This options set the event mask to "*" - All access events +You can customize the logging using the ini by specifying +"A" - Allowed accesses +"D" - Denied accesses +"I" - Ignore access requests +instead of "*". + تسجيل جميع أحداث الوصول كما يراها برنامج التشغيل في سجل وصول الموارد. + +يضبط هذا الخيار قناع الحدث على "*" - جميع أحداث الوصول +يمكنك تخصيص التسجيل باستخدام ini من خلال تحديد +"A" - عمليات الوصول المسموح بها +"D" - عمليات الوصول المرفوضة +"I" - تجاهل طلبات الوصول +بدلاً من "*". + + + + File Trace + تتبع الملف + + + + Disable Resource Access Monitor + تعطيل مراقبة وصول الموارد + + + + IPC Trace + تتبع IPC + + + + GUI Trace + تتبع واجهة المستخدم الرسومية + + + + Resource Access Monitor + مراقبة وصول الموارد + + + + Access Tracing + تتبع الوصول + + + + COM Class Trace + تتبع فئة COM + + + + Key Trace + تتبع المفتاح + + + + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. + للتعويض عن الحماية المفقودة، يرجى الرجوع إلى صفحة إعدادات إسقاط الحقوق في مجموعة إعدادات القيود. + + + + + Network Firewall + جدار حماية الشبكة + + + + Debug + التصحيح + + + + WARNING, these options can disable core security guarantees and break sandbox security!!! + تحذير، يمكن لهذه الخيارات تعطيل ضمانات الأمان الأساسية وكسر أمان صندوق العزل!!! + + + + These options are intended for debugging compatibility issues, please do not use them in production use. + هذه الخيارات مخصصة لتصحيح مشكلات التوافق، يرجى عدم استخدامها في الاستخدام الإنتاجي. + + + + App Templates + قوالب التطبيقات + + + + Filter Categories + تصفية الفئات + + + + Text Filter + تصفية النص + + + + Add Template + إضافة قالب + + + + This list contains a large amount of sandbox compatibility enhancing templates + تحتوي هذه القائمة على قدر كبير من قوالب تعزيز التوافق مع صندوق العزل + + + + Category + الفئة + + + + Template Folders + مجلدات القوالب + + + + Configure the folder locations used by your other applications. + +Please note that this values are currently user specific and saved globally for all boxes. + قم بتكوين مواقع المجلدات التي تستخدمها تطبيقاتك الأخرى. + +يرجى ملاحظة أن هذه القيم خاصة بالمستخدم حاليًا ويتم حفظها عالميًا لجميع الصندوقات. + + + + + Value + القيمة + + + + Limit restrictions + قيود الحد + + + + + + Leave it blank to disable the setting + اتركه فارغًا لتعطيل الإعداد + + + + Total Processes Number Limit: + حد إجمالي عدد العمليات: + + + + Total Processes Memory Limit: + حد إجمالي ذاكرة العمليات: + + + + Single Process Memory Limit: + حد ذاكرة العملية الفردية: + + + + Restart force process before they begin to execute + إعادة تشغيل عملية القوة قبل أن تبدأ في التنفيذ + + + + On Box Terminate + على إنهاء الصندوق + + + + Hide Disk Serial Number + إخفاء الرقم التسلسلي للقرص + + + + Obfuscate known unique identifiers in the registry + إخفاء المعرفات الفريدة المعروفة في السجل + + + + Don't allow sandboxed processes to see processes running outside any boxes + لا تسمح للعمليات المعزولة برؤية العمليات التي تعمل خارج أي صندوقات + + + + Hide Network Adapter MAC Address + إخفاء عنوان MAC لمحول الشبكة + + + + DNS Request Logging + تسجيل طلبات DNS + + + + Syscall Trace (creates a lot of output) + تتبع استدعاء النظام (ينشئ الكثير من النتائج) + + + + Templates + القوالب + + + + Open Template + فتح القالب + + + + Accessibility + إمكانية الوصول + + + + Screen Readers: JAWS, NVDA, Window-Eyes, System Access + قارئات الشاشة: JAWS وNVDA وWindow-Eyes وSystem Access + + + + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. + تمكن الإعدادات التالية من استخدام Sandboxie بالاشتراك مع برنامج إمكانية الوصول. يرجى ملاحظة أن بعض تدابير الحماية الخاصة بـ Sandboxie تُفقد بالضرورة عند تفعيل هذه الإعدادات. + + + + Edit ini Section + تحرير قسم ini + + + + Edit ini + تحرير هذا ini + + + + Cancel + إلغاء + + + + Save + حفظ + + + + PopUpWindow + + + SandboxiePlus Notifications + إشعارات SandboxiePlus + + + + ProgramsDelegate + + + Group: %1 + المجموعة: %1 + + + + QObject + + + Drive %1 + محرك الأقراص %1 + + + + QPlatformTheme + + + OK + موافق + + + + Apply + تطبيق + + + + Cancel + إلغاء + + + + &Yes + &نعم + + + + &No + &لا + + + + RecoveryWindow + + + SandboxiePlus - Recovery + SandboxiePlus - الاسترداد + + + + Close + إغلاق + + + + Recover target: + استرداد الهدف: + + + + Add Folder + إضافة مجلد + + + + Delete Content + حذف المحتوى + + + + Recover + استرداد + + + + Refresh + تحديث + + + + Delete + حذف + + + + Show All Files + إظهار كل الملفات + + + + TextLabel + اسم النص + + + + SelectBoxWindow + + + SandboxiePlus select box + SandboxiePlus اختر صندوق + + + + Force direct child to be sandboxed, but does not include indirect child processes that are opened through the DCOM and IPC interface. + إجبار العنصر الفرعي المباشر على أن يكون في صندوق عزل، ولكن لا يتضمن عمليات العنصر الفرعي غير المباشرة التي يتم فتحها من خلال واجهة DCOM وIPC. + + + + Select the sandbox in which to start the program, installer or document. + حدد صندوق العزل الذي تريد بدء تشغيل البرنامج أو المثبت أو المستند فيه. + + + + Run in a new Sandbox + التشغيل في صندوق عزل جديد + + + + Force Children + فرض العناصر الفرعية + + + + Sandbox + صندوق عزل + + + + Run As UAC Administrator + التشغيل كمسؤول التحكم بحساب المستخدم (UAC) + + + + Run Sandboxed + تشغيل معزول + + + + Run Outside the Sandbox + التشغيل خارج صندوق العزل + + + + SettingsWindow + + + SandboxiePlus Settings + إعدادات SandboxiePlus + + + + General Config + التكوين العام + + + + Show file recovery window when emptying sandboxes + Show first recovery window when emptying sandboxes + إظهار نافذة استرداد الملف عند إفراغ صناديق العزل + + + + Open urls from this ui sandboxed + فتح الروابط من واجهة المستخدم هذه في صندوق عزل + + + + Systray options + خيارات النظام + + + + UI Language: + لغة واجهة المستخدم: + + + + Shell Integration + تكامل شل + + + + Run Sandboxed - Actions + تشغيل معزول - الإجراءات + + + + Start Sandbox Manager + بدء تشغيل مدير صندوق العزل + + + + Start UI when a sandboxed process is started + بدء تشغيل واجهة المستخدم عند بدء عملية في صندوق عزل + + + + Start UI with Windows + بدء تشغيل واجهة المستخدم مع Windows + + + + Add 'Run Sandboxed' to the explorer context menu + أضف "تشغيل معزول" إلى قائمة سياق المستكشف + + + + Run box operations asynchronously whenever possible (like content deletion) + تشغيل عمليات الصندوق بشكل غير متزامن كلما أمكن ذلك (مثل حذف المحتوى) + + + + Hotkey for terminating all boxed processes: + مفتاح التشغيل السريع لإنهاء جميع العمليات المعزولة: + + + + Show boxes in tray list: + إظهار الصندوقات في قائمة الدرج: + + + + Always use DefaultBox + استخدم دائمًا DefaultBox + + + + Add 'Run Un-Sandboxed' to the context menu + أضف "تشغيل بدون صندوق عزل" إلى قائمة السياق + + + + Show a tray notification when automatic box operations are started + إظهار إشعار الدرج عند بدء عمليات الصندوق تلقائيًا + + + + * a partially checked checkbox will leave the behavior to be determined by the view mode. + * صندوق الاختيار المحدد جزئيًا سيترك السلوك ليتم تحديده بواسطة وضع العرض. + + + + Advanced Config + التكوين المتقدم + + + + Activate Kernel Mode Object Filtering + تنشيط تصفية الكائنات في وضع النواة + + + + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: + <a href="sbie://docs/filerootpath">جذر نظام ملفات</a> صندوق العزل: + + + + Clear password when main window becomes hidden + مسح كلمة المرور عندما تصبح النافذة الرئيسية مخفية + + + + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: + <a href="sbie://docs/ipcrootpath">جذر ipc</a> صندوق العزل: + + + + Sandbox default + صندوق العزل الافتراضي + + + + Config protection + حماية التكوين + + + + ... + ... + + + + SandMan Options + خيارات SandMan + + + + Notifications + الإشعارات + + + + Add Entry + إضافة إدخال + + + + Show file migration progress when copying large files into a sandbox + إظهار تقدم ترحيل الملف عند نسخ ملفات كبيرة إلى صندوق عزل + + + + Message ID + معرف الرسالة + + + + Message Text (optional) + نص الرسالة (اختياري) + + + + SBIE Messages + رسائل SBIE + + + + Delete Entry + حذف الإدخال + + + + Notification Options + خيارات الإشعارات + + + + Windows Shell + شل Windows + + + + Move Up + تحريك لأعلى + + + + Move Down + تحريك لأسفل + + + + Show overlay icons for boxes and processes + إظهار أيقونات التراكب للصناديق والعمليات + + + + Hide Sandboxie's own processes from the task list + Hide sandboxie's own processes from the task list + إخفاء عمليات Sandboxie الخاصة من قائمة المهام + + + + + Interface Options + Display Options + خيارات الواجهة + + + + Ini Editor Font + خط محرر Ini + + + + Graphic Options + خيارات الرسوم + + + + Select font + تحديد الخط + + + + Reset font + إعادة تعيين الخط + + + + Ini Options + خيارات Ini + + + + # + # + + + + External Ini Editor + محرر Ini الخارجي + + + + Add-Ons Manager + مدير الوظائف الإضافية + + + + Optional Add-Ons + الوظائف الإضافية الاختيارية + + + + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. + يوفر Sandboxie-Plus خيارات عديدة ويدعم مجموعة واسعة من الامتدادات. في هذه الصفحة، يمكنك تكوين تكامل الوظائف الإضافية والمكونات الإضافية والمكونات الأخرى التابعة لجهات خارجية. يمكن تنزيل المكونات الاختيارية من الويب، وقد تتطلب بعض التثبيتات امتيازات إدارية. + + + + Status + الحالة + + + + Version + الإصدار + + + + Description + الوصف + + + + <a href="sbie://addons">update add-on list now</a> + <a href="sbie://addons">تحديث قائمة الوظائف الإضافية الآن</a> + + + + Install + التثبيت + + + + Add-On Configuration + تكوين الوظيفة الإضافية + + + + Enable Ram Disk creation + تمكين إنشاء قرص ذاكرة الوصول العشوائي + + + + kilobytes + كيلوبايت + + + + Disk Image Support + دعم صورة القرص + + + + RAM Limit + حد ذاكرة الوصول العشوائي + + + + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. + <a href="addon://ImDisk">قم بتثبيت برنامج تشغيل ImDisk</a> لتمكين دعم قرص ذاكرة الوصول العشوائي وصورة القرص. + + + + Sandboxie Support + دعم Sandboxie + + + + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. + انتهت صلاحية شهادة الداعم هذه، يرجى <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">الحصول على شهادة محدثة</a>. + + + + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) + يمكن لداعمي مشروع Sandboxie-Plus الحصول على <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">شهادة داعم</a>. إنها مثل مفتاح الترخيص ولكن للأشخاص الرائعين الذين يستخدمون برامج مفتوحة المصدر. :-) + + + + Get + احصل + + + + Retrieve/Upgrade/Renew certificate using Serial Number + استرداد/ترقية/تجديد الشهادة باستخدام الرقم التسلسلي + + + + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. + إن إبقاء Sandboxie محدثًا بإصدارات Windows المتجددة ومتوافقًا مع جميع متصفحات الويب هو جهد لا ينتهي أبدًا. يمكنك دعم التطوير من خلال <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">المساهمة المباشرة في المشروع</a>، أو إظهار دعمك من خلال <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">شراء شهادة داعم</a>، أو أن تصبح راعيًا من خلال <a href="https://sandboxie-plus.com/go.php?to=patreon">الاشتراك في Patreon</a>، أو من خلال <a href="https://sandboxie-plus.com/go.php?to=donate">التبرع عبر PayPal</a>.<br />يلعب دعمك دورًا حيويًا في تقدم Sandboxie وصيانته. + + + + SBIE_-_____-_____-_____-_____ + SBIE_-_____-_____-______-_____ + + + + Update Settings + إعدادات التحديث + + + + Update Check Interval + فترة فحص التحديث + + + + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: + <a href="sbie://docs/keyrootpath">جذر تسجيل</a> صندوق العزل: + + + + Sandboxing features + ميزات العزل + + + + Sandboxie.ini Presets + إعدادات Sandboxie.ini المسبقة + + + + Change Password + تغيير كلمة المرور + + + + Password must be entered in order to make changes + يجب إدخال كلمة المرور لإجراء التغييرات + + + + Only Administrator user accounts can make changes + يمكن فقط لحسابات المستخدم المسؤول إجراء التغييرات + + + + Watch Sandboxie.ini for changes + راقب Sandboxie.ini لمعرفة التغييرات + + + + App Templates + قوالب التطبيقات + + + + App Compatibility + توافق التطبيق + + + + Only Administrator user accounts can use Pause Forcing Programs command + Only Administrator user accounts can use Pause Forced Programs Rules command + يمكن فقط لحسابات المستخدمين المسؤولين استخدام أمر إيقاف فرض البرامج مؤقتًا + + + + Portable root folder + مجلد الجذر المحمول + + + + Show recoverable files as notifications + إظهار الملفات القابلة للاسترداد كإشعارات + + + + General Options + الخيارات العامة + + + + Show Icon in Systray: + إظهار الرمز في علبة النظام: + + + + Use Windows Filtering Platform to restrict network access + استخدم Windows Filtering Platform لتقييد الوصول إلى الشبكة + + + + Hook selected Win32k system calls to enable GPU acceleration (experimental) + ربط مكالمات نظام Win32k المحددة لتمكين تسريع GPU (تجريبي) + + + + Count and display the disk space occupied by each sandbox + Count and display the disk space ocupied by each sandbox + عد وعرض مساحة القرص التي يشغلها كل صندوق عزل + + + + Use Compact Box List + استخدم قائمة الصندوقات المضغوطة + + + + Interface Config + تكوين الواجهة + + + + Make Box Icons match the Border Color + جعل أيقونات الصندوقات تتطابق مع لون الحدود + + + + Use a Page Tree in the Box Options instead of Nested Tabs * + استخدم شجرة الصفحات في خيارات الصندوقات بدلاً من علامات التبويب المتداخلة * + + + + Use large icons in box list * + استخدم أيقونات كبيرة في قائمة الصندوقات * + + + + High DPI Scaling + تدرج DPI مرتفع + + + + Don't show icons in menus * + لا تعرض الأيقونات في القوائم * + + + + Use Dark Theme + استخدم السمة الداكنة + + + + Font Scaling + تدرج الخط + + + + (Restart required) + (مطلوب إعادة التشغيل) + + + + Show the Recovery Window as Always on Top + إظهار نافذة الاسترداد دائمًا في المقدمة + + + + Show "Pizza" Background in box list * + Show "Pizza" Background in box list* + إظهار خلفية "بيتزا" في قائمة الصندوقات * + + + + % + % + + + + Alternate row background in lists + خلفية صف بديلة في القوائم + + + + Use Fusion Theme + استخدم سمة Fusion + + + + + + + + Name + الاسم + + + + Path + المسار + + + + Remove Program + إزالة البرنامج + + + + Add Program + إضافة برنامج + + + + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. + عند تشغيل أي من البرامج التالية خارج أي صندوق عزل، سيصدر Sandboxie الرسالة SBIE1301. + + + + Add Folder + إضافة مجلد + + + + Prevent the listed programs from starting on this system + منع البرامج المدرجة من البدء على هذا النظام + + + + Issue message 1308 when a program fails to start + إصدار رسالة 1308 عند فشل بدء تشغيل أحد البرامج + + + + Recovery Options + خيارات الاسترداد + + + + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: + قد يصدر Sandboxie <a href="sbie://docs/sbiemessages">رسائل SBIE</a> إلى سجل الرسائل ويعرضها كنوافذ منبثقة. بعض الرسائل إعلامية وتنبه إلى حدوث حدث شائع أو خاص في بعض الحالات، بينما تشير رسائل أخرى إلى حالة خطأ.<br />يمكنك إخفاء ظهور رسائل SBIE المحددة باستخدام القائمة أدناه: + + + + Disable SBIE messages popups (they will still be logged to the Messages tab) + تعطيل النوافذ المنبثقة لرسائل SBIE (ستظل مسجلة في علامة التبويب "الرسائل") + + + + Start Menu Integration + تكامل قائمة ابدأ + + + + Scan shell folders and offer links in run menu + فحص مجلدات شل وعرض الروابط في قائمة التشغيل + + + + Integrate with Host Start Menu + التكامل مع قائمة ابدأ المضيفة + + + + Use new config dialog layout * + استخدام تخطيط صندوق حوار التكوين الجديد * + + + + Program Control + التحكم في البرنامج + + + + Program Alerts + تنبيهات البرنامج + + + + Issue message 1301 when forced processes has been disabled + إصدار رسالة 1301 عند تعطيل العمليات المفروضة + + + + Sandboxie Config + Config Protection + تكوين Sandboxie + + + + This option also enables asynchronous operation when needed and suspends updates. + يعمل هذا الخيار أيضًا على تمكين التشغيل غير المتزامن عند الحاجة وتعليق التحديثات. + + + + Suppress pop-up notifications when in game / presentation mode + قمع الإشعارات المنبثقة عند تشغيل وضع اللعبة/العرض + + + + User Interface + واجهة المستخدم + + + + Run Menu + قائمة التشغيل + + + + Add program + إضافة برنامج + + + + You can configure custom entries for all sandboxes run menus. + يمكنك تكوين إدخالات مخصصة لجميع قوائم تشغيل صناديق العزل. + + + + + + Remove + إزالة + + + + Command Line + سطر الأوامر + + + + Hotkey for bringing sandman to the top: + مفتاح التشغيل السريع لإحضار Sandman إلى الأعلى: + + + + Hotkey for suspending process/folder forcing: + مفتاح التشغيل السريع لتعليق فرض العملية/المجلد: + + + + Hotkey for suspending all processes: + Hotkey for suspending all process + مفتاح التشغيل السريع لتعليق جميع العمليات: + + + + Check sandboxes' auto-delete status when Sandman starts + التحقق من حالة الحذف التلقائي لصناديق العزل عند بدء تشغيل Sandman + + + + Integrate with Host Desktop + التكامل مع سطح المكتب المضيف + + + + Add 'Set Force in Sandbox' to the context menu + Add ‘Set Force in Sandbox' to the context menu + إضافة "تعيين فرض في صندوق العزل" إلى قائمة السياق + + + + Add 'Set Open Path in Sandbox' to context menu + إضافة "تعيين مسار مفتوح في صندوق العزل" إلى قائمة السياق + + + + System Tray + علبة النظام + + + + On main window close: + عند إغلاق النافذة الرئيسية: + + + + Open/Close from/to tray with a single click + فتح/إغلاق من/إلى علبة النظام بنقرة واحدة + + + + Minimize to tray + تصغير إلى علبة النظام + + + + Hide SandMan windows from screen capture (UI restart required) + إخفاء نوافذ SandMan من لقطة الشاشة (يتطلب إعادة تشغيل واجهة المستخدم) + + + + Assign drive letter to Ram Disk + تعيين حرف محرك أقراص إلى قرص ذاكرة الوصول العشوائي + + + + When a Ram Disk is already mounted you need to unmount it for this option to take effect. + عندما يكون قرص ذاكرة الوصول العشوائي مثبتًا بالفعل، يجب عليك إلغاء تثبيته حتى يتم تطبيق هذا الخيار. + + + + * takes effect on disk creation + * يسري مفعوله عند إنشاء القرص + + + + Support && Updates + الدعم والتحديثات + + + + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">دليل استخدام الشهادة</a> + + + + HwId: 00000000-0000-0000-0000-000000000000 + HwId: 00000000-0000-0000-0000-00000000000 + + + + Terminate all boxed processes when Sandman exits + إنهاء جميع العمليات المعزولة عند خروج Sandman + + + + Cert Info + معلومات الشهادة + + + + Sandboxie Updater + محدث Sandboxie + + + + Keep add-on list up to date + الحفاظ على قائمة الإضافات محدثة + + + + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. +Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. + تقدم قناة Insider وصولاً مبكرًا إلى الميزات الجديدة وإصلاحات الأخطاء التي سيتم إصدارها للجمهور في النهاية، بالإضافة إلى جميع التحسينات ذات الصلة من القناة المستقرة. +وعلى عكس قناة المعاينة، لا تتضمن القناة تغييرات غير مجربة أو قد تكون معطلة أو تجريبية قد لا تكون جاهزة للاستخدام على نطاق أوسع. + + + + Search in the Insider channel + البحث في قناة Insider + + + + New full installers from the selected release channel. + برامج التثبيت الكاملة الجديدة من قناة الإصدار المحددة. + + + + Full Upgrades + الترقيات الكاملة + + + + Check periodically for new Sandboxie-Plus versions + التحقق بشكل دوري من وجود إصدارات جديدة من Sandboxie-Plus + + + + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> + المزيد عن <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> + + + + Keep Troubleshooting scripts up to date + الحفاظ على تحديث نصوص استكشاف الأخطاء وإصلاحها + + + + Default sandbox: + صندوق العزل الافتراضي: + + + + Use a Sandboxie login instead of an anonymous token + استخدم تسجيل دخول Sandboxie بدلاً من رمز مجهول + + + + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) + أضف مجموعة "Sandboxie\جميع صناديق العزل" إلى الرمز المميز في صندوق العزل (تجريبي) + + + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + تحمي هذه الميزة صندوق العزل من خلال تقييد الوصول، ومنع المستخدمين الآخرين من الوصول إلى المجلد. تأكد من أن مسار المجلد الجذر يحتوي على الماكرو %USER% حتى يحصل كل مستخدم على مجلد صندوق عزل مخصص. + + + + Restrict box root folder access to the the user whom created that sandbox + تقييد الوصول إلى مجلد جذر الصندوق للمستخدم الذي أنشأ صندوق العزل ذاك + + + + Always run SandMan UI as Admin + قم دائمًا بتشغيل واجهة مستخدم SandMan كمسؤول + + + + USB Drive Sandboxing + صندوق العزل لمحركات أقراص USB + + + + Volume + المجلد + + + + Information + المعلومات + + + + Sandbox for USB drives: + صندوق العزل لمحركات أقراص USB: + + + + Automatically sandbox all attached USB drives + صندوق العزل لجميع محركات أقراص USB المرفقة تلقائيًا + + + + In the future, don't check software compatibility + في المستقبل، لا تتحقق من توافق البرامج + + + + Enable + تمكين + + + + Disable + تعطيل + + + + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. + اكتشف Sandboxie تطبيقات البرامج التالية في نظامك. انقر فوق موافق لتطبيق إعدادات التكوين، مما سيحسن التوافق مع هذه التطبيقات. ستؤثر إعدادات التكوين هذه على جميع صناديق العزل الموجودة وفي أي صناديق عزل جديدة. + + + + Local Templates + القوالب المحلية + + + + Add Template + إضافة قالب + + + + Text Filter + تصفية النص + + + + This list contains user created custom templates for sandbox options + تحتوي هذه القائمة على قوالب مخصصة أنشأها المستخدم لخيارات صندوق العزل + + + + Open Template + فتح القالب + + + + Edit ini Section + تحرير قسم ini + + + + Save + حفظ + + + + Edit ini + تحرير هذا ini + + + + Cancel + إلغاء + + + + Incremental Updates + Version Updates + التحديثات التدريجية + + + + Hotpatches for the installed version, updates to the Templates.ini and translations. + التصحيحات السريعة للإصدار المثبت، والتحديثات لملف Templates.ini والترجمات. + + + + The preview channel contains the latest GitHub pre-releases. + تحتوي قناة المعاينة على أحدث إصدارات GitHub الأولية. + + + + The stable channel contains the latest stable GitHub releases. + تحتوي القناة المستقرة على أحدث إصدارات GitHub المستقرة. + + + + Search in the Stable channel + البحث في القناة المستقرة + + + + Search in the Preview channel + البحث في قناة المعاينة + + + + In the future, don't notify about certificate expiration + في المستقبل، لا تقم بإخطارنا بانتهاء صلاحية الشهادة + + + + Enter the support certificate here + أدخل شهادة الدعم هنا + + + + SnapshotsWindow + + + SandboxiePlus - Snapshots + SandboxiePlus - لقطات + + + + Selected Snapshot Details + تفاصيل اللقطات المحددة + + + + Name: + الاسم: + + + + Description: + الوصف: + + + + When deleting a snapshot content, it will be returned to this snapshot instead of none. + عند حذف محتوى لقطة، سيتم إرجاعه إلى هذه اللقطة بدلاً من عدم إعادته إلى أي شيء. + + + + Default snapshot + اللقطة الافتراضية + + + + Snapshot Actions + إجراءات اللقطة + + + + Remove Snapshot + إزالة اللقطة + + + + Go to Snapshot + الانتقال إلى اللقطة + + + + Take Snapshot + التقاط لقطة + + + + TestProxyDialog + + + Test Proxy + اختبار الوكيل + + + + Test Settings... + إعدادات الاختبار... + + + + Testing... + جارٍ الاختبار... + + + + Proxy Server + خادم الوكيل + + + + Address: + العنوان: + + + + 127.0.0.1:80 + 127.0.0.1:80 + + + + Protocol: + البروتوكول: + + + + SOCKS 5 + SOCKS 5 + + + + Authentication: + المصادقة: + + + + NO + لا + + + + Login: + تسجيل الدخول: + + + + username + اسم المستخدم + + + + Timeout (secs): + مهلة الانتظار (بالثواني): + + + + 5 + 5 + + + + Test 1: Connection to the Proxy Server + الاختبار 1: الاتصال بخادم الوكيل + + + + + + Enable this test + تمكين هذا الاختبار + + + + Test 2: Connection through the Proxy Server + الاختبار 2: الاتصال عبر خادم الوكيل + + + + Target host: + الهدف المضيف: + + + + www.google.com + www.google.com + + + + Port: + المنفذ: + + + + 80 + 80 + + + + Load a default web page from the host. (There must be a web server running on the host) + قم بتحميل صفحة ويب افتراضية من المضيف. (يجب أن يكون هناك خادم ويب يعمل على المضيف) + + + + Test 3: Proxy Server latency + الاختبار 3: زمن انتقال الخادم الوكيل + + + + Ping count: + عدد مرات الاتصال: + + + + Increase ping count to improve the accuracy of the average latency calculation. More pings help to ensure that the average is representative of typical network conditions. + قم بزيادة عدد مرات الاتصال لتحسين دقة حساب متوسط ​​زمن الانتقال. تساعد المزيد من مرات الاتصال في ضمان أن المتوسط ​​يمثل الظروف النموذجية للشبكة. + + + diff --git a/SandboxiePlus/SandMan/sandman_de.ts b/SandboxiePlus/SandMan/sandman_de.ts index 3e9cf981..b69fd5a7 100644 --- a/SandboxiePlus/SandMan/sandman_de.ts +++ b/SandboxiePlus/SandMan/sandman_de.ts @@ -9,53 +9,53 @@ Formular - + kilobytes Kilobytes - + Protect Box Root from access by unsandboxed processes Schütze Boxquelle vor Zugriff durch nicht sandgeboxte Prozesse - - + + TextLabel Beschriftungstext - + Show Password Zeige Passwort - + Enter Password Passwort eingeben - + New Password Neues Passwort - + Repeat Password Passwort wiederholen - + Disk Image Size Diskabbildgröße - + Encryption Cipher Verschlüsselungschiffre - + Lock the box when all processes stop. Sperre die Box, wenn alle Prozesse enden. @@ -63,67 +63,67 @@ CAddonManager - + Do you want to download and install %1? Möchten Sie %1 runterladen und installieren? - + Installing: %1 Installiere: %1 - + Add-on not found, please try updating the add-on list in the global settings! Erweiterung nicht gefunden, bitte versuchen Sie die Erweiterungsliste in den globalen Einstellungen zu aktualisieren! - + Add-on Not Found Erweiterung nicht gefunden - + Add-on is not available for this platform Erweiterung ist nicht für diese Plattform verfügbar - + Missing installation instructions Fehlende Installationsanweisungen - + Executing add-on setup failed Ausführung des Erweiterungssetups fehlgeschlagen - + Failed to delete a file during add-on removal Konnte eine Datei bei der Entfernung der Erweiterung nicht löschen - + Updater failed to perform add-on operation Updater konnte Erweiterungsvorgang nicht durchführen - + Updater failed to perform add-on operation, error: %1 Updater konnte Erweiterungsvorgang nicht durchführen, Fehler: %1 - + Do you want to remove %1? Möchten Sie %1 entfernen? - + Removing: %1 Entferne: %1 - + Add-on not found! Erweiterung nicht gefunden! @@ -131,42 +131,42 @@ CAdvancedPage - + Advanced Sandbox options Erweiterte Sandboxoptionen - + On this page advanced sandbox options can be configured. Auf dieser Seite können erweiterte Sandboxoptionen konfiguriert werden. - + Prevent sandboxed programs on the host from loading sandboxed DLLs Hindere sandgeboxte Programme des Hostsystems daran DLLs aus der Sandbox zu laden - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. Diese Funktion könnte die Kompatibilität einschränken, da sie Prozesse, die sich in der Sandbox befinden, daran hindert solche des Hosts zu schreiben und diese sogar zu starten. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. Diese Funktion kann zu einer Verschlechterung der Benutzererfahrung führen, da sie auch normale Screenshots verhindert. - + Shared Template Gemeinsame Vorlage - + Shared template mode Gemeinsame Vorlage Modus - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -177,52 +177,62 @@ Um die Einstellungen der Vorlage zu ändern, suchen Sie einfach die Vorlage &apo Um diese Vorlage für eine Sandbox zu deaktivieren, entfernen Sie einfach das Häkchen in der Vorlagenliste. - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. Diese Option fügt der Boxkonfiguration keine Einstellungen hinzu und entfernt nicht die Standardboxeinstellungen, basierend auf den Löschvorgaben in der Vorlage. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. Diese Option fügt die gemeinsame Vorlage der Boxkonfiguration als eine lokale Vorlage hinzu und kann auch die Standardboxeinstellungen, basierend auf den Löschvorgaben in der Vorlage, entfernen. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. Diese Option fügt die Einstellungen aus der gemeinsamen Vorlage der Boxkonfiguration hinzu und kann auch die Standardboxeinstellungen, basierend auf den Löschvorgaben in der Vorlage, entfernen. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. Diese Option fügt der Boxkonfiguration keine Einstellungen hinzu, kann aber die Standardboxeinstellungen, basierend auf den Löschvorgaben in der Vorlage, entfernen. - + Remove defaults if set Standardeinstellungen entfernen, falls gesetzt - + + Shared template selection + Gemeinsame Vorlage Auswahl + + + + This option specifies the template to be used in shared template mode. (%1) + Diese Option gibt die Vorlage an, die im 'Gemeinsame Vorlage Modus' verwendet werden soll. (%1) + + + Disabled Deaktiviert - + Advanced Options Erweiterte Optionen - + Prevent sandboxed windows from being captured Verhindere, dass von sandgeboxten Fenstern Screenshots erstellt werden - + Use as a template Als eine Vorlage verwenden - + Append to the configuration An die Konfiguration anhängen @@ -329,17 +339,17 @@ Um diese Vorlage für eine Sandbox zu deaktivieren, entfernen Sie einfach das H Entschlüsselungspasswörter für den Archivimport eingeben: - + kilobytes (%1) Kilobytes (%1) - + Passwords don't match!!! Passwörter stimmen nicht überein!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -348,7 +358,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are Es ist empfohlen ein Passwort von 20 oder mehr Zeichen zu wählen. Sind Sie sicher, dass Sie ein kurzes Passwort verwenden möchten? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -358,7 +368,7 @@ Die Entropie erhöht sich auf 512 Bits durch die Verwendung von Leet-(L337)-Spea - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. Das Boxdiskabbild muss mindestens 256 MB groß sein, empfohlen werden 2 GB. @@ -374,37 +384,37 @@ Die Entropie erhöht sich auf 512 Bits durch die Verwendung von Leet-(L337)-Spea CBoxTypePage - + Create new Sandbox Neue Sandbox erstellen - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. Eine Sandbox isoliert Ihr Hostsystem von Prozessen, die in dieser Box laufen, sie hindert diese daran permanente Änderungen an anderen Programmen oder Daten auf Ihrem Computer zu machen. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Eine Sandbox isoliert Ihr Hostsystem von Prozessen, die in dieser Box laufen, sie hindert diese daran permanente Änderungen an anderen Programmen oder Daten auf Ihrem Computer zu machen. Der Level an Isolation beeinflusst Ihre Sicherheit, ebenso wie die Kompatibilität mit Programmen, somit wird es verschiedene Level der Isolation geben, abhängig vom ausgewählten Boxtyp. Sandboxie kann auch Ihre persönlichen Daten vor Zugriff durch Prozesse, die unter dessen Aufsicht laufen, schützen. - + Enter box name: Boxnamen eingeben: - + Select box type: Boxtyp auswählen: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/security-mode">Sicherheitsgehärtete</a> Sandbox mit <a href="sbie://docs/privacy-mode">Datenschutz</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -413,59 +423,59 @@ Es begrenzt rigoros den Zugriff auf Nutzerdaten, erlaubt Prozessen innerhalb die Das gesamte Nutzerprofil bleibt verborgen, was maximale Sicherheit zusichert. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox <a href="sbie://docs/security-mode">Sicherheitsgehärtete</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Dieser Boxtyp bietet das höchste Schutzlevel durch die signifikante Reduktion der Angriffsfläche für sandgeboxte Prozesse. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Sandbox mit <a href="sbie://docs/privacy-mode">Datenschutz</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. In diesem Boxtyp werden sandgeboxte Prozesse daran gehindert auf jegliche persönliche Nutzerdateien oder Daten zuzugreifen. Der Fokus ist der Schutz von Nutzerdaten, und daher, sind nur die Ordner C:\Windows und C:\Programme für Prozesse innerhalb dieser Sandbox zugänglich. Dies stellt sicher, dass persönliche Dateien sicher bleiben. - + Standard Sandbox Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Dieser Boxtyp bietet das normale Verhalten von Sandboxie Classic. Er bietet Nutzern ein vertrautes und verlässliches Sandboxschema. Applikationen können in dieser Sandbox ausgeführt werden, wobei sichergestellt wird, dass sie in einer kontrollierten und isolierten Umgebung laufen. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/compartment-mode">Applikationsunterteilungs</a> Box mit <a href="sbie://docs/privacy-mode">Datenschutz</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Dieser Boxtyp priorisiert die Kompatibilität, während weiterhin ein gutes Level an Isolation geboten wird. Er ist entworfen, um vertrauenswürdige Applikationen in separaten Unterteilungen auszuführen Während der Level der Isolation reduziert ist, verglichen mit anderen Boxtypen, bietet er verbesserte Kompatibilität mit einer großen Bandbreite von Applikationen, was die reibungslose Ausführung in der sandgeboxten Umgebung sicherstellt. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">Applikationsunterteilungs</a> Box - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -474,62 +484,62 @@ Zugriff zur virtuellen Disk, wenn eingehangen, ist auf Programme beschränkt, di Dies sichert das höchste Level von Privatsphäre und Datenschutz innerhalb der vertraulichen Sandboxumgebung zu. - + Hardened Sandbox with Data Protection Gehärtete Sandbox mit Datenschutz - + Security Hardened Sandbox Sicherheitsgehärtete Sandbox - + Sandbox with Data Protection Sandbox mit Datenschutz - + Standard Isolation Sandbox (Default) Standard Isolations-Sandbox (Standard) - + Application Compartment with Data Protection Applikationsunterteilung mit Datenschutz - + Application Compartment Box Applikationsunterteilungsbox - + Confidential Encrypted Box Vertrauliche verschlüsselte Box - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? Um die verschlüsselten Boxen zu verwenden, müssen Sie den ImDisk-Treiber installieren. Möchten Sie diesen runterladen und installieren? - + Remove after use Nach Verwendung löschen - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">Verschlüssele</a> Boxinhalt und aktiviere <a href="sbie://docs/black-box">Vertraulichkeit</a> - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Nachdem der letzte Prozess in der Box beendet wurde, werden alle Daten in der Box gelöscht und die Box selbst wird entfernt. - + Configure advanced options Konfiguriere erweiterte Optionen @@ -810,36 +820,64 @@ Klicken Sie auf Abschließen um den Assistenten zu schließen. Sandboxie-Plus - Sandbox Export - + + 7-Zip + 7-Zip + + + + Zip + Zip + + + Store Speichern - + Fastest Schnellste - + Fast Schnell - + Normal Normal - + Maximum Maximum - + Ultra Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + Sandboxie-Plus - Sandbox Import + + + + Select Directory + Ordner auswählen + + + + This name is already in use, please select an alternative box name + Dieser Name wird bereits verwendet, bitte wählen Sie einen anderen Boxnamen + + CFileBrowserWindow @@ -889,74 +927,74 @@ Klicken Sie auf Abschließen um den Assistenten zu schließen. CFilesPage - + Sandbox location and behavior Sandboxspeicherort und Verhalten - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. Auf dieser Seite können der Sandboxspeicherort und deren Verhalten angepasst werden. Sie können %USER% verwenden, um für jeden Benutzer die Sandbox in einem eigenen Ordner zu speichern. - + Sandboxed Files Sandgeboxte Dateien - + Select Directory Ordner auswählen - + Virtualization scheme Virtualisierungsschema - + Version 1 Version 1 - + Version 2 Version 2 - + Separate user folders Trenne Benutzerordner - + Use volume serial numbers for drives Verwende Volumenseriennummern für Laufwerke - + Auto delete content when last process terminates Inhalte automatisch löschen, wenn der letzte Prozess in der Sandbox beendet wurde - + Enable Immediate Recovery of files from recovery locations Aktiviere Sofortwiederherstellung von Dateien aus Wiederherstellungsspeicherorten - + The selected box location is not a valid path. Der ausgewählte Boxspeicherort ist kein gültiger Pfad. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? Der ausgewählte Boxspeicherort existiert und ist nicht leer, es wird empfohlen einen neuen oder leeren Ordner auszuwählen. Sind Sie sicher, dass Sie einen existierenden Ordner verwenden möchten? - + The selected box location is not placed on a currently available drive. Der ausgewählte Boxspeicherort befindet sich auf einem momentan nicht verfügbaren Laufwerk. @@ -1091,83 +1129,83 @@ Sie können %USER% verwenden, um für jeden Benutzer die Sandbox in einem eigene CIsolationPage - + Sandbox Isolation options Sandboxisolationsoptionen - + On this page sandbox isolation options can be configured. Auf dieser Seite können die Optionen für die Sandboxisolation konfiguriert werden. - + Network Access Netzwerkzugriff - + Allow network/internet access Erlaube Netzwerk-/Internetzugriff - + Block network/internet by denying access to Network devices Blockiere Netzwerk-/Internetzugriff durch Ablehnung des Zugriffs auf Netzwerkgeräte - + Block network/internet using Windows Filtering Platform Blockiere Netzwerk-/Internetzugriff durch die Verwendung der Windows Filtering Platform - + Allow access to network files and folders Erlaube Zugriff auf Netzwerkdateien und Netzwerkordner - - + + This option is not recommended for Hardened boxes Diese Option ist nicht für gehärtete Boxen empfohlen - + Prompt user whether to allow an exemption from the blockade Den Nutzer fragen, ob er eine Ausnahme von dieser Blockade erlauben will - + Admin Options Adminoptionen - + Drop rights from Administrators and Power Users groups Die Rechte der Administratoren und Hauptbenutzergruppe einschränken - + Make applications think they are running elevated Lasse Programme denken, sie würden mit erhöhten Rechten laufen - + Allow MSIServer to run with a sandboxed system token Erlaube MSI-Server mit einem sandgeboxten Systemtoken zu starten - + Box Options Boxoptionen - + Use a Sandboxie login instead of an anonymous token Verwende einen Sandboxie-Login anstelle eines anonymen Tokens - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Die Verwendung eines eigenen Sandboxie Tokens erlaubt die bessere Isolation individueller Sandboxen zu einander und es zeigt in der Nutzerspalte des Taskmanagers den Namen der Box an zu der ein Prozess gehört. Einige Drittanbietersicherheitslösungen könnten jedoch Probleme mit den eigenen Tokens haben. @@ -1226,23 +1264,24 @@ Sie können %USER% verwenden, um für jeden Benutzer die Sandbox in einem eigene Der Sandboxinhalt wird in einer verschlüsselten Containerdatei platziert, bitte verstehen Sie, dass jegliche Korrumpierung des Containerheaders deren Inhalt permanent unzugänglich machen wird. Korrumpierung kann auftreten durch das Ergebnis eines BSOD, eines Speicherhardwarefehlers oder eines bösartigen Programms, welches zufällige Dateien überschreibt. Diese Funktion wird unter dem strikten <b>Kein Backup Keine Gnade</b> Grundsatz zur Verfügung gestellt, SIE, der Nutzer sind für die Daten, die Sie in einer verschlüsselten Box speichern verantwortlich. <br /><br />WENN SIE ZUSTIMMEN DIE VOLLE VERANTWORTUNG FÜR IHRE DATEN ZU ÜBERNEHMEN KLICKEN SIE [JA], ANDERNFALLS KLICKEN SIE [NEIN]. - + Add your settings after this line. Fügen Sie Ihre Einstellungen nach dieser Zeile ein. - + + Shared Template Gemeinsame Vorlage - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. Die neue Sandbox wurde mit dem neuen <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualisierungsschema Version 2</a> erzeugt. Falls Sie unerwartete Probleme mit dieser Box haben, wechseln Sie bitte zum Virtualisierungsschema Version 1 und berichten Sie von den Problemen. Die Option zum Ändern der Vorlage kann in den Boxoptionen, in der Gruppe Boxstruktur, gefunden werden. - + Don't show this message again. Diese Nachricht nicht mehr anzeigen. @@ -1258,138 +1297,138 @@ Sie können %USER% verwenden, um für jeden Benutzer die Sandbox in einem eigene COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? Möchten Sie prüfen, ob es eine neue Version von Sandboxie-Plus gibt? - + Don't show this message again. Diese Nachricht nicht mehr anzeigen. - + Checking for updates... Prüfe auf Updates... - + server not reachable Server nicht erreichbar - - + + Failed to check for updates, error: %1 Prüfung auf Updates fehlgeschlagen, Fehler: %1 - + <p>Do you want to download the installer?</p> <p>Möchten Sie den Installer runterladen?</p> - + <p>Do you want to download the updates?</p> <p>Möchten Sie die Updates runterladen?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Möchten Sie zur <a href="%1">Downloadseite</a> gehen?</p> - + Don't show this update anymore. Dieses Update nicht mehr anzeigen. - + Downloading updates... Lade Updates... - + invalid parameter ungültiger Parameter - + failed to download updated information Fehler beim Runterladen der aktualisierten Informationen - + failed to load updated json file Fehler beim Laden der aktualisierten JSON-Datei - + failed to download a particular file Fehler beim Runterladen einer bestimmten Datei - + failed to scan existing installation Fehler beim Überprüfen der bestehenden Installation - + updated signature is invalid !!! Updatesignatur ist ungültig !!! - + downloaded file is corrupted runtergeladene Datei ist beschädigt - + internal error interner Fehler - + unknown error unbekannter Fehler - + Failed to download updates from server, error %1 Fehler beim Runterladen der Updates vom Server, Fehler %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Updates für Sandboxie-Plus wurden runtergeladen.</p><p>Möchten Sie diese Updates anwenden? Falls Programme in einer Sandbox laufen, werden diese beendet.</p> - + Downloading installer... Lade Installer... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Ein neuer Sandboxie-Plus Installer wurde an folgenden Speicherort runtergeladen:</p><p><a href="%2">%1</a></p><p>Möchten Sie mit der Installation beginnen? Falls Programme in einer Sandbox laufen, werden diese beendet.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Möchten Sie zur<a href="%1">Infoseite gehen</a>?</p> - + Don't show this announcement in the future. Diese Ankündigung zukünftig nicht mehr zeigen. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Es ist eine neue Version von Sandboxie-Plus verfügbar.<br /><font color='red'><b>Neue Version:</b></font> <b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1398,7 +1437,7 @@ Do you still want to update? Möchten Sie dennoch updaten? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1410,158 +1449,158 @@ Notiz: Die Updateprüfung ist oft zeitversetzt zu den letzten GitHub-Veröffentl COptionsWindow - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Aktiviere die Verwendung von win32-Hooks für ausgewählte Prozesse. Notiz: Sie müssen die win32k-Systemaufrufshookunterstützung erst global aktivieren. - + Enable crash dump creation in the sandbox folder Aktiviere Erzeugung eines Crashdumps im Sandboxordner - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Immer ElevateCreateProcess-Fix verwenden, wie er manchmal durch den Programmkompatibilitätsassistenten angewandt wird. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Aktiviere spezielle inkonsistente PreferExternalManifest-Verhalten, da diese für einige Edge-Fixes benötigt werden - + Set RpcMgmtSetComTimeout usage for specific processes Setze RpcMgmtSetComTimeout-Verwendung für bestimmte Prozesse - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Lasse einen Schreibzugriff auf eine Datei, die nicht kopiert wird, fehlschlagen, anstelle diese auf nur lesend zu setzen. - + Make specified processes think they have admin permissions. Lasse ausgewählte Prozesse denken sie hätten Adminrechte. - + Force specified processes to wait for a debugger to attach. Erzwinge ausgewählte Prozesse zu warten, bis sich ein Debugger angehangen hat. - + Sandbox file system root Sandbox Dateisystemquelle - + Sandbox registry root Sandbox Registryquelle - + Sandbox ipc root Sandbox IPCquelle - - + + bytes (unlimited) Bytes (unbegrenzt) - - + + bytes (%1) Bytes (%1) - + unlimited unbegrenzt - + Add special option: Füge spezielle Option hinzu: - - + + On Start Beim Start - - - - - + + + + + Run Command Kommando ausführen - + Start Service Dienst starten - + On Init Beim Initialisieren - + On File Recovery Bei Dateiwiederherstellung - + On Delete Content Beim Löschen von Inhalten - + On Terminate Beim Beenden - - - - - + + + + + Please enter the command line to be executed Bitte geben Sie die Kommandozeile ein, die ausgeführt werden soll - + Please enter a program file name to allow access to this sandbox Bitte geben Sie einen Programmdateinamen ein, um Zugriff auf diese Sandbox zu erlauben - + Please enter a program file name to deny access to this sandbox Bitte geben Sie einen Programmdateinamen ein, um Zugriff auf diese Sandbox zu verbieten - + Deny Verweigern - + %1 (%2) %1 (%2) - + Failed to retrieve firmware table information. Abrufen von Firmwaretabelleninformationen fehlgeschlagen. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. Firmwaretabelle erfolgreich in der Registry des Hostsystems gespeichert: HKEY_CURRENT_USER\System\SbieCustom<br />Sie können sie in die Registry der Sandboxen kopieren, um für jede Box einen anderen Wert zu haben. @@ -1638,127 +1677,127 @@ Notiz: Die Updateprüfung ist oft zeitversetzt zu den letzten GitHub-Veröffentl Applikationsunterteilung - + Custom icon Eigenes Icon - + Version 1 Version 1 - + Version 2 Version 2 - + Browse for Program Zu Programm navigieren - + Open Box Options Öffne Boxoptionen - + Browse Content Inhalt durchsuchen - + Start File Recovery Starte Dateiwiederherstellung - + Show Run Dialog Zeige Ausführen-Dialog - + Indeterminate Unbestimmt - + Backup Image Header Abbildheader sichern - + Restore Image Header Abbildheader wiederherstellen - + Change Password Passwort ändern - - + + Always copy Immer kopieren - - + + Don't copy Nicht kopieren - - + + Copy empty Ohne Inhalt kopieren - + The image file does not exist Die Abbilddatei existiert nicht - + The password is wrong Das Passwort ist falsch - + Unexpected error: %1 Unerwarteter Fehler: %1 - + Image Password Changed Abbildpasswort geändert - + Backup Image Header for %1 Sichere Abbildheader für %1 - + Image Header Backuped Abbildheader gesichert - + Restore Image Header for %1 Stelle Abbildheader wieder her für %1 - + Image Header Restored Abbildheader wiederhergestellt - - + + Browse for File Zu Datei navigieren @@ -1769,99 +1808,99 @@ Notiz: Die Updateprüfung ist oft zeitversetzt zu den letzten GitHub-Veröffentl Zu Ordner navigieren - + File Options Dateioptionen - + Grouping Gruppierung - + Add %1 Template Füge %1 Vorlage hinzu - + Search for options Nach Optionen suchen - + Box: %1 Box: %1 - + Template: %1 Vorlage: %1 - + Global: %1 Global: %1 - + Default: %1 Standard: %1 - + This sandbox has been deleted hence configuration can not be saved. Diese Sandbox wurde gelöscht, daher kann die Konfiguration nicht gespeichert werden. - + Some changes haven't been saved yet, do you really want to close this options window? Einige Änderungen wurden bisher nicht gespeichert, möchten Sie dieses Einstellungsfenster wirklich schließen? - + kilobytes (%1) Only capitalized. Kilobytes (%1) - + Select color Farbe auswählen - + Select Program Programm auswählen - + Executables (*.exe *.cmd) Ausführbare Dateien (*.exe *.cmd) - + Please enter a service identifier Bitte geben Sie eine Dienstbezeichnung ein - - + + Please enter a menu title Bitte einen Menütitel eingeben - + Please enter a command Bitte ein Kommando eingeben - - + + - - + + @@ -1874,7 +1913,7 @@ Notiz: Die Updateprüfung ist oft zeitversetzt zu den letzten GitHub-Veröffentl Bitte einen Namen für die neue Gruppe eingeben - + Enter program: Programm eingeben: @@ -1966,50 +2005,75 @@ Der ausgewählte Speicherort enthält diese Datei nicht. Bitte wählen Sie einen Ordner, der diese Datei enthält. - - + + Process Prozess - + Children Untergeordnete Prozesse - - - + + Document + Dokument + + + + + Select Executable File Ausführbare Datei auswählen - - - + + + Executable Files (*.exe) Ausführbare Dateien (*.exe) - + + Select Document Directory + Dokumentenordner auswählen + + + + Please enter Document File Extension. + Bitte die Dateiendung des Dokuments eingeben. + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + Aus Sicherheitsgründen ist es nicht erlaubt, Breakout Dokument Vorgaben, die gänzlich aus einer Wildcard bestehen, zu erstellen. + + + + For security reasons the specified extension %1 should not be broken out. + Aus Sicherheitsgründen sollte die angegebene Dateiendung %1 nicht für ein Ausbrechen verwendet werden. + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Das Erzwingen des angegebenen Eintrags wird höchstwahrscheinlich Windows unbrauchbar machen. Sind Sie sicher, dass Sie fortfahren möchten? - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' Optionen - - + + Folder Ordner - - + + Select Directory @@ -2148,13 +2212,13 @@ Bitte wählen Sie einen Ordner, der diese Datei enthält. Alle Dateien (*.*) - + - - - - + + + + @@ -2180,8 +2244,8 @@ Bitte wählen Sie einen Ordner, der diese Datei enthält. - - + + @@ -2288,7 +2352,7 @@ Bitte wählen Sie einen Ordner, der diese Datei enthält. Eintrag: IP oder Port dürfen nicht leer sein - + Allow @@ -2361,12 +2425,12 @@ Bitte wählen Sie einen Ordner, der diese Datei enthält. CPopUpProgress - + Dismiss Ignorieren - + Remove this progress indicator from the list Diesen Fortschrittsindikator aus der Liste entfernen @@ -2374,42 +2438,42 @@ Bitte wählen Sie einen Ordner, der diese Datei enthält. CPopUpPrompt - + Remember for this process Für diesen Prozess merken - + Yes Ja - + No Nein - + Terminate Beenden - + Yes and add to allowed programs Ja und zu den erlaubten Programmen hinzufügen - + Requesting process terminated Anfragenden Prozess beendet - + Request will time out in %1 sec Anfrage läuft in %1 Sek. ab - + Request timed out Anfrage abgelaufen @@ -2417,67 +2481,67 @@ Bitte wählen Sie einen Ordner, der diese Datei enthält. CPopUpRecovery - + Recover Wiederherstellen - + Recover the file to original location Die Datei zur Originalquelle wiederherstellen - + Recover to: Wiederherstellen nach: - + Browse Navigieren - + Clear folder list Leere die Ordnerliste - + Recover && Explore Wiederherstellen && Anzeigen - + Recover && Open/Run Wiederherstellen && Öffnen/Starten - + Open file recovery for this box Öffne Dateiwiederherstellung für diese Box - + Dismiss Ignorieren - + Don't recover this file right now Diese Datei jetzt nicht wiederherstellen - + Dismiss all from this box Alle für diese Box ablehnen - + Disable quick recovery until the box restarts Schnellwiederherstellung deaktivieren bis die Box neu gestartet wird - + Select Directory Ordner auswählen @@ -2613,37 +2677,42 @@ Vollständiger Pfad: %4 - + Select Directory Ordner auswählen - + + No Files selected! + Keine Dateien ausgewählt! + + + Do you really want to delete %1 selected files? Möchten Sie die ausgewählten Dateien %1 wirklich löschen? - + Close until all programs stop in this box Schließen, bis alle Programme in dieser Box gestoppt sind - + Close and Disable Immediate Recovery for this box Schließe und deaktiviere die Sofortwiederherstellung für diese Box - + There are %1 new files available to recover. Es sind %1 neue Dateien zur Wiederherstellung verfügbar. - + Recovering File(s)... Wiederherstellung von Datei(en)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Es befinden sich %1 Dateien und %2 Ordner in der Sandbox, welche %3 an Speicherplatz belegen. @@ -2793,22 +2862,22 @@ Anders als der Vorschaukanal, enthält es keine ungetesteten, möglicherweise fe CSandBox - + Waiting for folder: %1 Warte auf Ordner: %1 - + Deleting folder: %1 Lösche Ordner: %1 - + Merging folders: %1 &gt;&gt; %2 Führe Ordner zusammen: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Beende Schnappschuss Zusammenführung... @@ -2816,68 +2885,68 @@ Anders als der Vorschaukanal, enthält es keine ungetesteten, möglicherweise fe CSandBoxPlus - + Disabled Deaktiviert - + OPEN Root Access OFFENER Rootzugriff - + Application Compartment Applikationsunterteilung - + NOT SECURE NICHT SICHER - + Reduced Isolation Reduzierte Isolation - + Enhanced Isolation Erweiterte Isolation - + Privacy Enhanced Verbesserte Privatsphäre - + No INet (with Exceptions) Kein Internet (mit Ausnahmen) - + No INet Kein Internet - + Net Share Kept original for lack of good German wording. Netzwerkfreigabe (Net share) - + No Admin Kein Admin - + Auto Delete Automatisches Löschen - + Normal Normal @@ -2891,22 +2960,22 @@ Anders als der Vorschaukanal, enthält es keine ungetesteten, möglicherweise fe Sandboxie-Plus v%1 - + Reset Columns Spalten zurücksetzen - + Copy Cell Zelle kopieren - + Copy Row Spalte kopieren - + Copy Panel Tafel kopieren @@ -3425,218 +3494,218 @@ Nein wählt: %2 Standard Sandbox nicht gefunden; erstelle: %1 - + Failed to configure hotkey %1, error: %2 Konnte Hotkey %1 nicht einrichten, Fehler: %2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. Die Box %1 ist konfiguriert Funktionen zu nutzen, welche exklusiv für Projektunterstützer verfügbar sind. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. Die Box %1 ist konfiguriert Funktionen zu nutzen, welche ein <b>erweitertes</b> Unterstützerzertifikat erfordern. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgraden Sie Ihr Zertifikat</a> um alle erweiterten Funktionen freizuschalten. - + The selected feature requires an <b>advanced</b> supporter certificate. Diese Funktion erfordert ein <b>erweitertes</b> Unterstützerzertifikat. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />Sie müssen auf der Stufe Great Patreon oder höher sein, um diese Funktion freizuschalten. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Die ausgewählte(n) Funktion(en) ist/sind nur für Projektunterstützer verfügbar.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Werden Sie ein Projektunterstützer</a>, und erhalten Sie ein <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Unterstützerzertifikat</a> - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Die ausgewählte(n) Funktion(en) ist/sind nur für Projektunterstützer verfügbar. Prozesse, die in einer Box mit diesen Funktionen ohne Unterstützerzertifikat gestartet werden, werden nach 5 Minuten beendet.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Werden Sie ein Projektunterstützer</a>, und erhalten Sie ein <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Unterstützerzertifikat</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! Das Zertifikat, das Sie zu verwenden versuchen, wurde gesperrt, was bedeutet, dass es aus gutem Grund für ungültig erklärt wurde. Jeder Versuch es zu verwenden, stellt einen Verstoß gegen die Nutzungsbedingungen dar! - + The Certificate Signature is invalid! Die Zertifikatssignatur ist ungültig! - + The Certificate is not suitable for this product. Das Zertifikat ist für dieses Produkt nicht geeignet. - + The Certificate is node locked. Das Zertifikat ist an ein anderes Gerät gebunden (node-locked). - + The support certificate is not valid. Error: %1 Das Unterstützerzertifikat ist nicht gültig. Fehler: %1 - - + + Don't ask in future Zukünftig nicht mehr fragen - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? Möchten Sie alle Prozesse in verschlüsselten Sandboxen beenden und diese aushängen? - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. ACHTUNG: Ein anderer Agent (vermutlich SbieCtrl.exe) verwaltet diese Sandboxiesitzung bereits, bitte schließen Sie diesen zuerst und verbinden sich erneut, um zu übernehmen. - + Error Status: 0x%1 (%2) Fehlerstatus: 0x%1 (%2) - + Unknown Unbekannt - + All processes in a sandbox must be stopped before it can be renamed. Alle Prozesse in einer Sandbox müssen beendet werden, bevor diese umbenannt werden kann. - + Failed to move box image '%1' to '%2' Konnte Boxabbild '%1' nicht nach '%2' verschieben - + The config password must not be longer than 64 characters Das Konfigurationspasswort darf nicht länger als 64 Zeichen sein - + The content of an unmounted sandbox can not be deleted Der Inhalt einer nicht angeschlossenen Sandbox kann nicht gelöscht werden - + %1 %1 - + Unknown Error Status: 0x%1 Unbekannter Fehlerstatus: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? Möchten Sie %1 in einem sandgeboxten oder nicht sandgeboxten Browser öffnen? - + Sandboxed Sandgeboxt - + Unsandboxed Nicht sandgeboxt - + Case Sensitive Groß-/Kleinschreibung beachten - + RegExp Regulärer Ausdruck (RegExp) - + Highlight Hervorheben - + Close Schließen - + &Find ... &Suchen ... - + All columns Alle Spalten - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>Über Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 Diese Kopie von Sandboxie-Plus ist zertifiziert für: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie-Plus ist gratis für persönliche und nicht-kommerzielle Nutzung. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus ist eine Open-Source Fortsetzung von Sandboxie.<br />Besuchen Sie <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> für mehr Informationen.<br /><br />%2<br /><br />Funktionen: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons von <a href="https://icons8.com">icons8.com</a> - + The supporter certificate is not valid for this build, please get an updated certificate Das Unterstützerzertifikat ist für diese Version nicht gültig, bitte holen Sie sich ein aktuelles Zertifikat - + The supporter certificate has expired%1, please get an updated certificate Das Unterstützerzertifikat ist abgelaufen%1, bitte holen Sie sich ein aktuelles Zertifikat - + , but it remains valid for the current build , aber es bleibt für die aktuelle Version gültig - + The supporter certificate will expire in %1 days, please get an updated certificate Das Unterstützerzertifikat wird in %1 Tagen ablaufen, bitte holen Sie sich ein aktuelles Zertifikat @@ -3709,7 +3778,7 @@ Fehler: %1 - + About Sandboxie-Plus Über Sandboxie-Plus @@ -3768,12 +3837,12 @@ Möchten Sie die Bereinigung durchführen? Automatisches Löschen des Inhalts von %1 - + Failed to stop all Sandboxie components Konnte nicht alle Sandboxiekomponenten stoppen - + Failed to start required Sandboxie components Konnte nicht alle benötigten Sandboxiekomponenten starten @@ -3838,112 +3907,112 @@ Möchten Sie die Bereinigung durchführen? - + Do you want to terminate all processes in all sandboxes? Möchten Sie alle Prozesse in allen Sandboxen beenden? - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus wurde im portablen Modus gestartet, nun müssen die benötigten Dienste erzeugt werden, was Adminrechte benötigt. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Möchten Sie auch die ausgeblendeten Mitteilungsboxen zurücksetzen (Ja) oder nur alle Protokollnachrichten (Nein)? - + The changes will be applied automatically whenever the file gets saved. Die Änderungen werden automatisch angewendet, sobald die Datei gespeichert wird. - + The changes will be applied automatically as soon as the editor is closed. Die Änderungen werden automatisch angewendet, sobald der Editor geschlossen wird. - + Can not create snapshot of an empty sandbox Kann keinen Schnappschuss von einer leeren Box erstellen - + A sandbox with that name already exists Es existiert bereits eine Sandbox mit diesem Namen - + Failed to execute: %1 Fehler beim Ausführen von: %1 - + Failed to communicate with Sandboxie Service: %1 Fehler beim Kommunizieren mit Sandbox-Dienst: %1 - + Failed to copy configuration from sandbox %1: %2 Fehler beim Kopieren der Konfiguration von Sandbox %1: %2 - + A sandbox of the name %1 already exists Es existiert bereits eine Sandbox mit dem Namen %1 - + Failed to delete sandbox %1: %2 Fehler beim Löschen der Sandbox %1: %2 - + The sandbox name can not be longer than 32 characters. Der Name der Sandbox darf nicht länger als 32 Zeichen sein. - + The sandbox name can not be a device name. Der Name der Sandbox darf kein reservierter Gerätename (device name) sein. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Der Name der Sandbox darf nur Buchstaben, Zahlen und Unterstriche, welche als Leerstellen angezeigt werden, enthalten. - + Failed to terminate all processes Konnte nicht alle Prozesse beenden - + Delete protection is enabled for the sandbox Löschschutz ist für diese Sandbox aktiviert - + Error deleting sandbox folder: %1 Fehler beim Löschen von Sandbox-Ordner: %1 - + A sandbox must be emptied before it can be deleted. Eine Sandbox muss geleert werden, bevor sie umbenannt werden kann. - + Failed to move directory '%1' to '%2' Konnte Ordner '%1' nicht nach '%2' verschieben - + This Snapshot operation can not be performed while processes are still running in the box. Der Schnappschuss kann nicht erstellt werden, während Prozesse in dieser Box laufen. - + Failed to create directory for new snapshot Konnte den Ordner für den neuen Schnappschuss (Snapshot) nicht erstellen @@ -4045,32 +4114,32 @@ Bitte überprüfen Sie, ob es ein Update für Sandboxie gibt. Möchten Sie den Einrichtungsassistenten auslassen? - + The evaluation period has expired!!! Die Evaluationsphase ist abgelaufen!!! - + Snapshot not found Schnappschuss (Snapshot) nicht gefunden - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Fehler beim Zusammenführen der Schnappschuss Ordner: '%1' mit '%2', der Schnappschuss wurde nicht vollständig zusammengeführt. - + Failed to remove old snapshot directory '%1' Konnte alten Schnappschuss-Ordner '%1' nicht entfernen - + You are not authorized to update configuration in section '%1' Sie sind nicht berechtigt die Konfiguration in Sektion '%1' zu aktualisieren - + Failed to set configuration setting %1 in section %2: %3 Fehler beim Setzen der Konfigurationsoption %1 in Sektion %2: %3 @@ -4078,16 +4147,16 @@ Bitte überprüfen Sie, ob es ein Update für Sandboxie gibt. - - - + + + Don't show this message again. Diese Nachricht nicht mehr anzeigen. - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Fehler @@ -4119,20 +4188,20 @@ Bitte überprüfen Sie, ob es ein Update für Sandboxie gibt. Datenordner: %1 - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Das Programm %1 gestartet in Box %2 wird in 5 Minuten beendet, weil diese Box so konfiguriert ist Funktionen zu verwenden die exklusiv für Projektunterstützer sind. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Die Box %1 ist so konfiguriert, dass sie exklusive Funktionen nutzt, die nur für Projektunterstützer verfügbar sind, diese Vorgaben werden ignoriert. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Werden Sie ein Projektunterstützer</a>, und erhalten Sie ein <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Unterstützerzertifikat</a> @@ -4142,154 +4211,154 @@ Bitte überprüfen Sie, ob es ein Update für Sandboxie gibt. Stelle Datei %1 zu %2 wieder her - + Only Administrators can change the config. Nur Administratoren können die Konfiguration editieren. - + Please enter the configuration password. Bitte Konfigurationspasswort eingeben. - + Login Failed: %1 Login fehlgeschlagen: %1 - + Please enter the duration, in seconds, for disabling Forced Programs rules. Bitte geben Sie die Dauer, in Sekunden, ein, zum Pausieren der erzwungenen Programmregeln. - + No Recovery Keine Wiederherstellung - + No Messages Keine Nachrichten - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>ERROR:</b> Der Sandboxie-Plus Manager (SandMan.exe) verfügt nicht über eine gültige Signatur (SandMan.exe.sig). Bitte laden Sie eine vertrauenswürdige Version von der <a href="https://sandboxie-plus.com/go.php?to=sbie-get">offiziellen Downloadseite</a>. - + Maintenance operation failed (%1) Wartungsvorgang fehlgeschlagen (%1) - + Maintenance operation completed Wartungsvorgang abgeschlossen - + Executing maintenance operation, please wait... Führe Wartungsvorgang aus, bitte warten... - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Im Plus-UI wurde diese Funktionalität in die Hauptlistenansicht der Sandboxen integriert. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Mit dem Box-/Gruppenkontextmenü können Sie Boxen und Gruppen zu anderen Gruppen bewegen. Sie können die Elemente auch per Ziehen und Loslassen bewegen. Alternativ können Sie die Pfeiltasten nutzen, während Sie ALT gedrückt halten, um die Elemente innerhalb ihrer Gruppe rauf und runter zu bewegen.<br />Sie können neue Boxen und Gruppen aus dem Sandboxmenü erstellen. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. Sie sind im Begriff die Templates.ini zu bearbeiten, was grundsätzlich nicht empfohlen wird. Diese Datei ist Teil von Sandboxie und alle vorgenommenen Änderungen an der Datei werden zurückgesetzt, wenn Sandboxie aktualisiert wird. - + Sandboxie config has been reloaded Sandboxiekonfiguration wurde neu geladen - + Administrator rights are required for this operation. Für diesen Vorgang werden Adminrechte benötigt. - + Failed to connect to the driver Fehler beim Verbinden mit dem Treiber - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Eine inkompatible Version von Sandboxie %1 wurde gefunden. Kompatible Versionen: %2 - + Can't find Sandboxie installation path. Kann Installationspfad von Sandboxie nicht finden. - + All sandbox processes must be stopped before the box content can be deleted Alle Sandboxprozesse müssen beendet sein, bevor der Boxinhalt gelöscht werden kann - + Failed to copy box data files Fehlschlag beim Kopieren der Boxdateien - + Can't remove a snapshot that is shared by multiple later snapshots Es kann kein Schnappschuss gelöscht werden der von mehreren späteren Schnappschüssen geteilt wird - + Failed to remove old box data files Fehlschlag beim Entfernen der alten Boxdateien - + The operation was canceled by the user Der Vorgang wurde durch den Nutzer abgebrochen - + Import/Export not available, 7z.dll could not be loaded Import/Export nicht verfügbar, 7z.dll konnte nicht geladen werden - + Failed to create the box archive Konnte Boxarchiv nicht erzeugen - + Failed to open the 7z archive Konnte das 7z-Archiv nicht öffnen - + Failed to unpack the box archive Konnte das Boxarchiv nicht entpacken - + The selected 7z file is NOT a box archive Die ausgewählte 7z-Datei ist KEIN Boxarchiv - + Operation failed for %1 item(s). Vorgang für %1 Element(e) fehlgeschlagen. - + Remember choice for later. Die Auswahl für später merken. @@ -4547,37 +4616,37 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSbieTemplatesEx - + Failed to initialize COM COM konnte nicht initialisiert werden - + Failed to create update session Update-Sitzung konnte nicht erstellt werden - + Failed to create update searcher Update-Sucher konnte nicht erstellt werden - + Failed to set search options Suchoptionen konnten nicht festgelegt werden - + Failed to enumerate installed Windows updates Fehler beim Ermitteln der installierten Windowsupdates - + Failed to retrieve update list from search result Update-Liste konnte nicht aus dem Suchergebnis abgerufen werden - + Failed to get update count Anzahl der Updates konnte nicht ermittelt werden @@ -4585,626 +4654,611 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSbieView - - + + Create New Box Neue Box erstellen - + Remove Group Gruppe entfernen - - + + Run Starten - + Run Program Programm starten - + Run from Start Menu Aus Startmenü starten - + Run Web Browser Internetbrowser starten - + Terminate All Programs Alle Prozesse beenden - + Browse Content Inhalt durchsuchen - + Box Content Boxinhalt - - - - - + + + + + Create Shortcut Verknüpfung erstellen - - + + Explore Content Inhalt anzeigen - + Open Registry Öffne Registry - - + + Refresh Info Info aktualisieren - - + + Snapshots Manager Schnappschussmanager - + Recover Files Dateien wiederherstellen - - + + Delete Content Inhalte löschen - + Sandbox Presets Sandboxvorgaben - + Block Internet Access Blockiere Internetzugriff - + Allow Network Shares Erlaube Netzwerkfreigaben - + Drop Admin Rights Adminrechte abgeben - - + + Create Box Group Boxgruppe erstellen - + Rename Group Gruppe umbenennen - - + + Stop Operations Vorgänge stoppen - - + + (Host) Start Menu (Hostrechner) Startmenü - + Default Web Browser Standard WebBrowser - + Default eMail Client Standard e-MailClient - + Command Prompt Kommandozeile - + Command Prompt (as Admin) Kommandozeile (als Admin) - + Command Prompt (32-bit) Kommandozeile (32-bit) - + Windows Explorer Windows Explorer - + Registry Editor Registrierungsdatenbank-Editor - + Programs and Features Programme und Funktionen - + Ask for UAC Elevation Nach UAC-Erhöhung fragen - + Emulate Admin Rights Emuliere Adminrechte - + Sandbox Options Sandboxeinstellungen - + Standard Applications Standard Programme - + Disable Force Rules Deaktiviere Erzwingungsregeln - - + + Rename Sandbox Sandbox umbenennen - - + + Remove Sandbox Sandbox entfernen - - + + Terminate Beenden - + Preset Vorgabe - - + + Pin to Run Menu An das Starten-Menü anheften - - + + Import Box Box importieren - - + + Mount Box Image Boxabbild einhängen - - + + Unmount Box Image Boxabbild aushängen - + Block and Terminate Blockieren und Beenden - + Allow internet access Erlaube Internetzugriff - + Force into this sandbox In dieser Sandbox erzwingen - + Set Linger Process Setze verweilende Programme - + Set Leader Process Setze primäre Programme - + Suspend Unterbrechen - + Resume Fortsetzen - + Run eMail Reader Starte E-Mailclient - + Run Any Program Starte ein Programm - + Run From Start Menu Starte aus dem Startmenü - + Run Windows Explorer Starte Windows Explorer - + Terminate Programs Programme beenden - + Quick Recover Schnellwiederherstellung - + Sandbox Settings Sandboxeinstellungen - + Duplicate Sandbox Config Dupliziere Sandboxkonfiguration - + Export Sandbox Sandbox exportieren - + Move Group Bewege Gruppe - + Disk root: %1 Diskquelle: %1 - + Please enter a new name for the Group. Bitte einen neuen Namen für die Gruppe eingeben. - + Move entries by (negative values move up, positive values move down): Bewege Einträge um (negative Werte bewegen aufwärts, positive Werte bewegen abwärts): - + A group can not be its own parent. Eine Gruppe kann nicht seine eigene Quelle sein. - + Failed to open archive, wrong password? Fehler beim Öffnen des Archivs, falsches Passwort? - + Failed to open archive (%1)! Fehler beim Öffnen des Archivs (%1)! - - This name is already in use, please select an alternative box name - Dieser Name wird bereits verwendet, bitte wählen Sie einen anderen Boxnamen - - - - Importing Sandbox - Sandbox importieren - - - - Do you want to select custom root folder? - Möchten Sie einen eigenen Quellordner auswählen? - - - + Importing: %1 Importiere: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. Sandbox- und Boxgruppen- name können nicht die Zeichen ',()' enthalten. - + This name is already used for a Box Group. Dieser Name wird bereits für eine Boxgruppe verwendet. - + This name is already used for a Sandbox. Dieser Name wird bereits für eine Sandbox verwendet. - - - + + + Don't show this message again. Diese Nachricht nicht mehr anzeigen. - - - + + + This Sandbox is empty. Diese Sandbox ist leer. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. WARNUNG: Der geöffnete Registrierungseditor befindet sich nicht in einer Sandbox, bitte seien Sie vorsichtig und nehmen nur Änderungen an den vorausgewählten Sandboxorten vor. - + Don't show this warning in future Diese Warnung zukünftig nicht zeigen - + Please enter a new name for the duplicated Sandbox. Bitte neuen Namen für duplizierte Sandbox eingeben. - + %1 Copy %1 Kopie - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + 7-Zip Archiv (*.7z);;Zip Archiv (*.zip) + + + Please enter a new alias for the Sandbox. Bitte geben Sie einen neuen Alias für die Sandbox ein. - + The entered name is not valid, do you want to set it as an alias instead? Der eingegebene Name ist nicht gültig. Möchten Sie ihn stattdessen als Alias festlegen? - + This Sandbox is already empty. Diese Sandbox ist bereits leer. - - + + Do you want to delete the content of the selected sandbox? Möchten Sie den Inhalt der ausgewählten Sandbox löschen? - + Do you want to terminate all processes in the selected sandbox(es)? Möchten Sie alle Prozesse in der/den ausgewählten Sandbox(en) beenden? - - + + Terminate without asking Beenden ohne Rückfrage - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Das Sandboxie Startmenü wird nun angezeigt. Wählen Sie eine Applikation aus diesem Menü und Sandboxie wird eine neue Verknüpfung auf Ihrem tatsächlichen Desktop erstellen, welche Sie dazu verwenden können um die ausgewählte Applikation unter der Kontrolle von Sandboxie aufzurufen. - + Do you want to terminate %1? Möchten Sie %1 beenden? - + the selected processes die ausgewählten Prozesse - + This box does not have Internet restrictions in place, do you want to enable them? Diese Sandbox hat keine Internetbeschränkungen, möchten Sie diese aktivieren? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? Diese Sandbox ist derzeit deaktiviert oder auf bestimmte Gruppen oder Benutzer beschränkt. Möchten Sie den Zugriff für alle erlauben? - + File root: %1 Dateiquelle: %1 - + Execute Autorun Entries Autostart-Einträge ausführen - + Immediate Recovery Sofortwiederherstellung - - + + Move Up Nach oben verschieben - - + + Move Down Nach unten verschieben - + Registry root: %1 Registry-Quelle: %1 - + IPC root: %1 IPC-Quelle: %1 - + Options: Optionen: - + [None] [Kein(e)] - + Please enter a new group name Bitte einen Namen für die neue Gruppe eingeben - + Do you really want to remove the selected group(s)? Möchten Sie wirklich die ausgewählte(n) Gruppe(n) entfernen? - + Browse Files Dateien durchsuchen - - + + Sandbox Tools Sandboxwerkzeuge - + Duplicate Box Config Dupliziere Boxkonfiguration - + Export Box Box exportieren - - + + Move Sandbox Bewege Sandbox - - + + Select file name Dateinamen auswählen - - - 7-zip Archive (*.7z) - 7-zip Archiv (*.7z) - - - + Exporting: %1 Exportiere: %1 - + Please enter a new name for the Sandbox. Bitte einen Namen für die neue Sandbox eingeben. - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Möchten Sie wirklich die ausgewählte(n) Sandbox(en) entfernen?<br /><br />Warnung: Der Boxinhalt wird ebenfalls gelöscht! - - + + Also delete all Snapshots Auch alle Schnappschüsse löschen - + Do you really want to delete the content of all selected sandboxes? Möchten Sie wirklich den Inhalt von allen ausgewählten Sandboxen löschen? - - + + Create Shortcut to sandbox %1 Verknüpfung zu Sandbox %1 erstellen @@ -5248,586 +5302,586 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Globale Einstellungen - + Auto Detection Automatische Erkennung - + No Translation Keine Übersetzung - - + + Don't integrate links Links nicht integrieren - - + + As sub group Als Untergruppe - - + + Fully integrate Vollständig integrieren - + Don't show any icon Kein Icon anzeigen - + Show Plus icon Plus Icon anzeigen - + Show Classic icon Klassisches Icon anzeigen - + All Boxes Alle Boxen - + Active + Pinned Aktive + Angeheftete - + Pinned Only Nur Angeheftete - + None Kein - + Native Nativ - + Qt Qt - + %1 %1 - + Add %1 Template Füge %1 Vorlage hinzu - + HwId: %1 HwId: %1 - + Please enter message Bitte Nachricht eingeben - - - + + + Run &Sandboxed Starte &Sandgeboxt - + kilobytes (%1) Kilobytes (%1) - + Volume not attached Datenträger nicht eingesteckt - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> <b>Sie haben %1/%2 Evaluationszertifikate verwendet. Es können keine weiteren kostenlosen Zertifikate erstellt werden.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> <b><a href="_">Erhalten Sie ein kostenloses Evaluationszertifikat</a> und nutzen Sie alle Premium-Funktionen für %1 Tage.</b> - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Dieses Unterstützerzertifikat ist abgelaufen, bitte <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">holen Sie sich ein erneuertes Zertifikat</a>. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Dieses Unterstützerzertifikat wird <font color='red'>in %1 Tagen ablaufen</font>, bitte <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">holen Sie sich ein erneuertes Zertifikat</a>. - + Expires in: %1 days Läuft ab in: %1 Tagen - + Options: %1 Optionen: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 Sicherheit/Privatsphäre verbesserte & App-Boxen (SBox): %1 - - - - + + + + Enabled Aktiviert - - - - + + + + Disabled Deaktiviert - + Encrypted Sandboxes (EBox): %1 Verschlüsselte Sandboxen (EBox): %1 - + Network Interception (NetI): %1 Netzwerküberwachung (NetI): %1 - + Sandboxie Desktop (Desk): %1 Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. Dies sieht nicht nach einer Sandboxie-Plus Seriennummer aus.<br />Wenn Sie versucht haben, den Update-Schlüssel oder die Signatur von einem Zertifikat einzugeben, ist das nicht korrekt. Bitte geben Sie stattdessen das gesamte Zertifikat in das Textfeld oben ein. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. Sie versuchen einen Funktions-Upgrade-Schlüssel zu verwenden, ohne ein bereits vorhandenes Unterstützerzertifikat eingegeben zu haben. Bitte beachten Sie, dass Sie für diese Art von Schlüssel (<b>wie auf der Website deutlich in Fettschrift angegeben</b>) ein bereits vorhandenes gültiges Unterstützerzertifikat benötigen, da er ohne ein solches nutzlos ist.<br />Wenn Sie die erweiterten Funktionen nutzen möchten, müssen Sie beides erwerben, ein Standardzertifikat und den Funktions-Upgrade-Schlüssel, um die erweiterte Funktionalität freizuschalten. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. Sie versuchen einen Erneuerungsschlüssel zu verwenden, ohne ein bereits vorhandenes Unterstützerzertifikat eingegeben zu haben. Bitte beachten Sie, dass Sie für diese Art von Schlüssel (<b>wie auf der Website deutlich in Fettschrift angegeben</b>) ein bereits vorhandenes gültiges Unterstützerzertifikat benötigen, da er ohne ein solches nutzlos ist. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>Wenn Sie die Produktbeschreibung nicht gelesen haben und diesen Schlüssel versehentlich erworben haben, kontaktieren Sie uns bitte per E-Mail (auf unserer Website angegeben), um dieses Problem zu lösen.</u> - + Sandboxie-Plus - Get EVALUATION Certificate Sandboxie-Plus - EVALUATIONSzertifikat erhalten - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. Bitte geben Sie Ihre E-Mail-Adresse ein, um ein kostenloses %1-Tage-Evaluationszertifikat zu erhalten, welches auf %2 ausgestellt und an die aktuelle Hardware gebunden wird. Sie können bis zu %3 Evaluationszertifikate für jede eindeutige Hardware-ID anfordern. - + Error retrieving certificate: %1 Fehler beim Abrufen des Zertifikats: %1 - + Unknown Error (probably a network issue) Unbekannter Fehler (wahrscheinlich ein Netzwerkproblem) - + Contributor Certificate type: a translation could lead to confusion. Contributor - + Eternal Certificate type: a translation could lead to confusion. Eternal - + Business Certificate type: a translation could lead to confusion. Business - + Personal Certificate type: a translation could lead to confusion. Personal - + Great Patreon Certificate type: a translation could lead to confusion. Great Patreon - + Patreon Certificate type: a translation could lead to confusion. Patreon - + Family Certificate type: a translation could lead to confusion. Family - + Evaluation Certificate type: a translation could lead to confusion. Evaluation - + Type %1 Typ %1 - + Advanced Erweitert - + Advanced (L) Erweitert (L) - + Max Level Maximale Stufe - + Level %1 Stufe %1 - + Supporter certificate required for access Unterstützerzertifikat notwendig für Zugriff - + Supporter certificate required for automation Unterstützerzertifikat notwendig zur Automatisierung - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Dieses Zertifikat ist leider nicht für die aktuelle Version gültig. Sie müssen ein neues Zertifikat erwerben oder auf eine frühere Version zurückgehen. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Obwohl dieses Zertifikat abgelaufen ist, bleiben die Plus-Funktionen der aktuell installierten Version aktiviert. Sie haben jedoch keinen Zugang mehr zu den Sandboxie-Live-Diensten, einschließlich Kompatibilitäts-Updates und der Onlineproblemlösungsdatenbank. - + This certificate has unfortunately expired, you need to get a new certificate. Dieses Zertifikat ist leider abgelaufen, Sie müssen ein neues Zertifikat erwerben. - + Sandboxed Web Browser Sandgeboxter Internetbrowser - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Plus-Funktionen werden in %1 Tagen deaktiviert.</font> - + <br />Plus features are no longer enabled. <br />Plus-Funktionen sind nicht länger aktiviert. - + Run &Un-Sandboxed Starte &Nicht-Sandgeboxt - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Dies scheint kein Zertifikat zu sein. Bitte geben Sie das ganze Zertifikat ein, nicht nur einen Teil davon. - + Search for settings Nach Einstellungen suchen - - + + Notify Benachrichtigen - + Ignore Ignorieren - + Close to Tray In den System-Tray schließen - + Prompt before Close Vorm Schließen fragen - + Close Schließen - + Every Day Jeden Tag - + Every Week Jede Woche - + Every 2 Weeks Alle 2 Wochen - + Every 30 days Alle 30 Tage - - + + Download & Notify Herunterladen & Benachrichtigen - - + + Download & Install Herunterladen & Installieren - + Browse for Program Zu Programm navigieren - + Select font Schriftart auswählen - + Reset font Schriftart zurücksetzen - + %0, %1 pt %0, %1 pt - + Select Program Programm auswählen - + Executables (*.exe *.cmd) Ausführbare Dateien (*.exe *.cmd) - - + + Please enter a menu title Bitte einen Menütitel eingeben - + Please enter a command Bitte ein Kommando eingeben - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. Sie können ein kostenloses %1-Tage-Evaluationszertifikat bis zu %2-mal pro Hardware-ID anfordern. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>In der aktuellen Version bleiben die Plus-Funktionen aktiviert</font>, aber Sie haben keinen Zugang mehr zu den Sandboxie-Live-Diensten, einschließlich Kompatibilitäts-Updates und der Onlineproblemlösungsdatenbank. - + Expired: %1 days ago Abgelaufen: vor %1 Tagen - - + + Retrieving certificate... Rufe Zertifikat ab... - + Home Certificate type: a translation could lead to confusion. Home - + Set Force in Sandbox Setze Erzwinge in Sandbox - + Set Open Path in Sandbox Setze Öffne Pfad in Sandbox - + The evaluation certificate has been successfully applied. Enjoy your free trial! Das Evaluationszertifikat wurde erfolgreich angewendet. Viel Spaß beim kostenlosen Ausprobieren! - + Thank you for supporting the development of Sandboxie-Plus. Danke Ihnen für die Unterstützung der Entwicklung von Sandboxie-Plus. - + Update Available Update verfügbar - + Installed Installiert - + by %1 von %1 - + (info website) (Informationswebseite) - + This Add-on is mandatory and can not be removed. Diese Erweiterung ist notwendig und kann nicht entfernt werden. - + <a href="check">Check Now</a> <a href="check">Jetzt prüfen</a> - + Please enter the new configuration password. Bitte ein Passwort für die neue Konfiguration eingeben. - + Please re-enter the new configuration password. Bitte das neue Konfigurationspasswort wiederholen. - + Passwords did not match, please retry. Passwörter stimmten nicht überein, bitte erneut versuchen. - + Process Prozess - + Folder Ordner - + Please enter a program file name Bitte den Dateinamen eines Programms eingeben - + Please enter the template identifier Bitte Vorlagen-Identifikation eingeben - + Error: %1 Fehler: %1 - + Do you really want to delete the selected local template(s)? Möchten Sie wirklich die ausgewählte(n) lokalen Vorlage(n) löschen? - + %1 (Current) %1 (Aktuell) - - + + Select Directory Ordner auswählen @@ -6064,76 +6118,76 @@ Versuchen Sie die Übermittlung ohne die angehängten Protokolle. CSummaryPage - + Create the new Sandbox Erzeuge die neue Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Fast geschafft, klicken Sie Fertig zum Erzeugen einer neuen Sandbox und dem Abschluss des Assistenten. - + Save options as new defaults Speichere Optionen als neue Standards - + Skip this summary page when advanced options are not set Überspringe diese Zusammenfassungsseite, wenn die erweiterten Optionen nicht gesetzt sind - + This Sandbox will be saved to: %1 Diese Sandbox wird gespeichert in: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. Der Inhalt dieser Box wird VERWORFEN, wenn diese geschlossen wird, und die Box wird entfernt. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Diese Box wird ihren Inhalt VERWERFEN, wenn sie geschlossen wird. Sie ist nur für temporäre Daten geeignet. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Prozesse in dieser Box werden nicht auf das Internet oder das lokale Netzwerk zugreifen können. Dies stellt sicher, dass alle gelesenen Daten vertraulich bleiben. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. Diese Box wird den MSI-Server (*.msi Installationsservice) mit einem Systemtoken starten. Dies verbessert die Kompatibilität, reduziert aber die Sicherheitsisolation. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Prozesse in dieser Box werden denken, dass sie mit Adminrechten laufen, ohne dass sie diese tatsächlich haben, sodass Installer selbst in sicherheitsgehärteten Boxen genutzt werden können. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. Prozesse in dieser Box werden mit einem eigenen Prozesstoken laufen, die anzeigen zu welcher Sandbox sie gehören. - + Failed to create new box: %1 Konnte neue Sandbox nicht erzeugen: %1 @@ -6759,34 +6813,67 @@ Wenn Sie bereits ein Great Supporter auf Patreon sind, kann Sandboxie online nac Dateien komprimieren - + Compression Komprimierung - + When selected you will be prompted for a password after clicking OK Bei Auswahl werden Sie nach Klicken auf OK zur Eingabe eines Passworts aufgefordert - + Encrypt archive content Archivinhalte verschlüsseln - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - Solide Archivierung verbessert die Kompressionsverhältnisse, indem sie mehrere Dateien als einen einzigen zusammenhängenden Datenblock behandelt. Ideal für eine große Anzahl von kleinen Dateien. Sie macht das Archiv kompakter, kann aber den Zeitaufwand für das Extrahieren einzelner Dateien erhöhen. + Solide Archivierung verbessert die Kompressionsverhältnisse, indem sie mehrere Dateien als einen einzigen zusammenhängenden Datenblock behandelt. Ideal für eine große Anzahl von kleinen Dateien. Sie macht das Archiv kompakter, kann aber den Zeitaufwand für das Entpacken einzelner Dateien erhöhen. - + Create Solide Archive Solides Archiv erstellen - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Exportieren Sie die Sandbox in ein 7z-Archiv, wählen Sie Ihre Komprimierungsrate und passen Sie zusätzliche Komprimierungseinstellungen an. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Exportiere Sandbox in ein Archiv. Wählen Sie Ihre Komprimierungsrate und passen Sie zusätzliche Komprimierungseinstellungen an. + + + + ExtractDialog + + + Extract Files + Dateien entpacken + + + + Import Sandbox from an archive + Importiere Sandbox aus einem Archiv + + + + Import Sandbox Name + Name für importierte Sandbox + + + + Box Root Folder + Boxquellordner + + + + ... + ... + + + + Import without encryption + Ohne Verschlüsselung importieren @@ -6807,17 +6894,17 @@ Wenn Sie bereits ein Great Supporter auf Patreon sind, kann Sandboxie online nac Boxoptionen - + Sandboxed window border: Fensterrahmen innerhalb der Sandbox: - + px Width px Breite - + Appearance Erscheinung @@ -6827,580 +6914,581 @@ Wenn Sie bereits ein Great Supporter auf Patreon sind, kann Sandboxie online nac Sandboxindikator im Fenstertitel: - - - - - - + + + + + + + Protect the system from sandboxed processes Schütze das System vor Prozessen in der Sandbox - + Block network files and folders, unless specifically opened. Blockiere Netzwerkdateien und Ordner, außer diese wurden explizit geöffnet. - + Drop rights from Administrators and Power Users groups Die Rechte der Administratoren und Hauptbenutzergruppe einschränken - + Run Menu Startmenü - + You can configure custom entries for the sandbox run menu. Sie können eigene Einträge in dem Startmenü der Sandbox einrichten. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Name - + Command Line Kommandozeile - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Entfernen - + File Options Dateioptionen - + Copy file size limit: Dateigrößenbeschränkung zum Kopieren: - + kilobytes Kilobytes - + Protect this sandbox from deletion or emptying Diese Sandbox vor Löschung und Leerung schützen - + Auto delete content changes when last sandboxed process terminates Inhaltsveränderungen automatisch löschen, wenn der letzte Prozess in der Sandbox beendet wurde - - + + File Migration Dateimigration - + Issue message 2102 when a file is too large Gebe Nachricht 2102 aus, wenn die Datei zu groß ist - + Box Delete options Box Löschoptionen - + Elevation restrictions Erhöhungsbeschränkungen - + Make applications think they are running elevated (allows to run installers safely) Lässt Programme denken, sie würden mit erhöhten Rechten laufen (Erlaubt das sichere Ausführen von Installern) - + Network restrictions Netzwerkbeschränkungen - + (Recommended) (Empfohlen) - + Allow elevated sandboxed applications to read the harddrive Erlaube Programmen mit erhöhten Rechten von der Festplatte zu lesen - + Warn when an application opens a harddrive handle Warnen, wenn ein Programm eine Festplattenidentifikator öffnet - + Prompt user for large file migration Frage Benutzer bei Migration von großen Dateien - + Program Groups Programmgruppen - + Add Group Gruppe hinzufügen - - - - - + + + + + Add Program Programm hinzufügen - + Force Folder Erzwungene Ordner - - - + + + Path Pfad - + Force Program Erzwungenes Programm - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Zeige Vorlagen - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Programme die hier gelistet sind oder von den angegebenen Ordnern gestartet werden, werden automatisch in dieser Sandbox ausgeführt, solange sie nicht explizit in einer anderen Sandbox gestartet werden. - - + + Stop Behaviour Stoppverhalten - - - - - - - + + + + + + + Type Typ - + Block access to the printer spooler Zugriff auf die Druckerwarteschlange blockieren - + Allow the print spooler to print to files outside the sandbox Der Druckerwarteschlange erlauben als Dateien außerhalb der Sandbox zu drucken (Print to file) - + Show this box in the 'run in box' selection prompt Zeige diese Box im 'In Sandbox starten' Auswahlmenü - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Sicherheitsnotiz: Programme mit erhöhten Rechten, welche unter der Aufsicht von Sandboxie laufen, und ein Admintoken haben, haben mehr Möglichkeiten die Isolation zu umgehen und das System außerhalb der Sandbox zu verändern. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Erlaube MSI-Server mit einem sandgeboxten Systemtoken zu starten und andere Ausnahmen zu gewähren, wenn benötigt - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Notiz: MSI-Installer-Ausnahmen sollten nicht benötigt werden, aber wenn Sie auf Probleme bei der Installation eines MSI-Paketes haben, welchem Sie vertrauen, kann diese Option hilfreich sein die Installation erfolgreich abzuschließen. Sie können auch versuchen die Rechteabgabe zu deaktivieren. - + General Configuration Allgemeine Konfiguration - + Box Type Preset: Boxtyp Vorgabe: - + Box info Box Info - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Weitere Boxtypen</b> sind exklusiv verfügbar für <u>Projektunterstützer</u>, die verbesserten Privatsphäreboxen <b><font color='red'>schützen Nutzerdaten vor unbefugtem Zugriff</font></b> durch sandgeboxte Programme.<br />Falls Sie noch kein Unterstützer sind, erwägen Sie bitte <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">das Projekt zu unterstützen</a>, um ein <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Unterstützerzertifikat</a> zu erhalten.<br />Sie können die anderen Boxtypen testen, indem Sie Boxen mit diesen Typen erstellen, jedoch werden die Prozesse in diesen Boxen nach 5 Minuten beendet. - + Open Windows Credentials Store (user mode) Öffne Windows Anmeldeinformationsverwaltung (Nutzermodus) - + Remove spooler restriction, printers can be installed outside the sandbox Entferne Druckerwarteschlangenrestriktionen, Drucker können außerhalb der Sandbox installiert werden - + Other restrictions Andere Beschränkungen - + Printing restrictions Druckerbeschränkungen - + Prevent change to network and firewall parameters (user mode) Verhindere Änderungen an Netzwerk und Firewall-Parametern (Nutzermodus) - + Add program Füge Programm hinzu - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Sie können Programme gruppieren und ihnen einen Gruppennamen geben. Programmgruppen können in einigen Einstellungen an Stelle der Programmnamen genutzt werden. Gruppen, welche für eine Box definiert werden, übergehen Gruppen die in Vorlagen definiert wurden. - + Start Restrictions Starteinschränkungen - + Issue message 1308 when a program fails to start Gebe Nachricht 1308 aus, wenn ein Programmstart fehlschlägt - + Allow only selected programs to start in this sandbox. * Erlaube nur ausgewählten Prozessen in dieser Sandbox zu starten. * - + Prevent selected programs from starting in this sandbox. Verhindere die Ausführung von ausgewählten Programmen in dieser Sandbox. - + Allow all programs to start in this sandbox. Erlaube allen Programmen in dieser Sandbox zu starten. - + * Note: Programs installed to this sandbox won't be able to start at all. * Notiz: Programme, welche in dieser Sandbox installiert werden, werden nicht in der Lage sein zu starten. - + Process Restrictions Prozessbeschränkungen - + Issue message 1307 when a program is denied internet access Gebe Nachricht 1307 aus, wenn einem Programm der Internetzugriff verweigert wurde - + Note: Programs installed to this sandbox won't be able to access the internet at all. Hinweis: Programme, welche in dieser Sandbox installiert werden, werden nicht in der Lage sein auf das Internet zuzugreifen. - + Prompt user whether to allow an exemption from the blockade. Den Nutzer fragen, ob er eine Ausnahme von dieser Blockade erlauben will. - + Resource Access Ressourcenzugriff - - - - - - - - - - + + + + + + + + + + Program Programm - - - - - - + + + + + + Access Zugriff - + Add Reg Key Füge Registry-Schlüssel hinzu - + Add File/Folder Füge Datei/Ordner hinzu - + Add Wnd Class Füge Fensterklasse hinzu - + Add COM Object Füge COM-Objekt hinzu - + Add IPC Path Füge IPC-Pfad hinzu - + File Recovery Dateiwiederherstellung - + Add Folder Füge Ordner hinzu - + Ignore Extension Ignoriere Erweiterungen - + Ignore Folder Ignoriere Ordner - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Aktivere Sofortwiederherstellungsabfrage, um alle Dateien sofort wiederherzustellen, sobald sie erzeugt werden. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Sie können Ordner und Dateitypen (oder Dateierweiterungen) von der Sofortwiederherstellung ausnehmen. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Wenn die Schnellwiederherstellungsfunktion aufgerufen wird, werden die folgenden Ordner in der Sandbox auf Inhalte geprüft. - + Immediate Recovery Sofortwiederherstellung - + Advanced Options Erweiterte Optionen - + Miscellaneous Diverses - + Do not start sandboxed services using a system token (recommended) Sandgeboxte Dienste nicht mit einem Systemtoken starten (empfohlen) - + Block read access to the clipboard Blockiere Lesezugriff auf die Zwischenablage - + Force usage of custom dummy Manifest files (legacy behaviour) Erzwinge die Verwendung von eigenen dummy Manifestdateien (veraltetes Verhalten) - + Add sandboxed processes to job objects (recommended) Füge sandgeboxte Prozesse zu Job-Objekten hinzu (empfohlen) - + Allow only privileged processes to access the Service Control Manager Beschränke Zugriff auf emulierte Dienstkontrollmanager ausschließlich auf privilegierte Prozesse - + Open System Protected Storage Öffne systemgeschützten Speicherort - + Don't alter window class names created by sandboxed programs Fensterklassen von sandgeboxten Programmen nicht ändern - - - - - - - + + + + + + + Protect the sandbox integrity itself Die Sandboxintegrität selbst schützen - - + + Compatibility Kompatibilität - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. ACHTUNG: Bei Ausführung unter dem eingebauten Administrator, können Prozesse ihre administrativen Rechten nicht abgeben. - + Emulate sandboxed window station for all processes Emuliere sandgeboxte 'Window Stations' für alle Prozesse - + Open access to Windows Security Account Manager Öffne Zugriff auf Windows Security Account Manager - + Add Process Prozess hinzufügen - + Hide host processes from processes running in the sandbox. Verstecke Host-Prozesse vor Prozessen in der Sandbox. - + Don't allow sandboxed processes to see processes running in other boxes Nicht erlauben, dass sandgeboxte Prozesse die Prozesse in anderen Boxen sehen können - + Users Benutzer - + Restrict Resource Access monitor to administrators only Beschränke den Ressourcenzugriffsmonitor auf Administratoren - + Add User Benutzer hinzufügen - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -7409,22 +7497,22 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Notiz: Erzwungene Programme und Ordner für eine Sandbox finden keine Anwendung auf Konten, die diese Sandbox nicht nutzen können. - + Tracing Rückverfolgung - + Log all SetError's to Trace log (creates a lot of output) Protokolliere alle SetError ins Rückverfolgungsprotokoll (Erzeugt große Ausgabemenge) - + Pipe Trace Pipe-Rückverfolgung - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -7443,718 +7531,743 @@ Sie können die Protokollierung in der INI anpassen, indem Sie wie folgt wählen an Stelle von "*". - + Access Tracing Zugriffsrückverfolgung - + GUI Trace GUI-Rückverfolgung - + DNS Filter DNS-Filter - + Add Filter Filter hinzufügen - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. Mit dem DNS-Filter können individuelle Domänen, je Prozess blockiert werden. Lassen Sie die IP-Spalte leer zum Blockieren oder geben Sie eine IP ein zum Umleiten. - + Domain Domäne - + Internet Proxy Internetproxy - + Add Proxy Füge Proxy hinzu - + Test Proxy Proxy testen - + Auth Authentifizierung - + Login Login - + Password Passwort - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. Sandgeboxte Programme können dazu gezwungen werden einen vorgegebenen SOCKS5-Proxy zu verwenden. - + Resolve hostnames via proxy Hostnamen durch den Proxy auflösen - + Limit restrictions Limit-Beschränkungen - - - + + + Leave it blank to disable the setting Leer lassen, um die Einstellung zu deaktivieren - + Total Processes Number Limit: Limit Gesamtzahl an Prozessen: - + Total Processes Memory Limit: Speicherlimit aller Prozesse zusammen: - + Single Process Memory Limit: Speicherlimit einzelner Prozess: - + Restart force process before they begin to execute Starte erzwungene Prozesse neu, bevor sie ausgeführt werden - + On Box Terminate Beim Box Beenden - + Hide Disk Serial Number Verberge die Seriennummer der Disk - + Obfuscate known unique identifiers in the registry Verschleiere bekannte eindeutige Identifikationsnummern in der Registry - + + Allow sandboxed processes to open files protected by EFS + Erlaube sandgeboxten Prozessen durch EFS geschützte Dateien zu öffnen + + + + Open access to Proxy Configurations + Öffne Zugriff auf Proxykonfigurationen + + + + File ACLs + Datei-ACLs + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Verwende originale Zugriffssteuerungseinträge für Dateien und Ordner in Sandboxen (für MSI-Server Ausnahmen aktivieren) + + + Don't allow sandboxed processes to see processes running outside any boxes Nicht erlauben, dass sandgeboxte Prozesse die Prozesse außerhalb der Boxen sehen können - + Hide Network Adapter MAC Address Verberge die MAC-Adresse des Netzwerkadapters - + API call Trace (traces all SBIE hooks) API-Aufrufrückverfolgung (verfolgt alle SBIE-Hooks) - + Key Trace Schlüsselrückverfolgung - + File Trace Dateirückverfolgung - + IPC Trace IPC-Rückverfolgung - + Log Debug Output to the Trace Log Protokolliere Debug-Ausgabe in das Rückverfolgungsprotokoll - + DNS Request Logging DNS-Anfragenprotokollierung - + COM Class Trace COM-Klassenrückverfolgung - + Debug Debug - + WARNING, these options can disable core security guarantees and break sandbox security!!! WARNUNG, diese Optionen können Kernsicherheitsgarantien deaktivieren und die Sandboxsicherheit zerstören!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Diese Optionen sind nur zur Fehlersuche bei Kompatibilitätsproblemen gedacht, bitte nicht im produktiven Einsatz verwenden. - + App Templates Programmvorlagen - + Filter Categories Filterkategorien - + Text Filter Textfilter - + Add Template Füge Vorlage hinzu - + Category Kategorie - + This list contains a large amount of sandbox compatibility enhancing templates Diese Liste enthält eine große Menge an Vorlagen, welche die Kompatibilität der Sandbox verbessern - + Set network/internet access for unlisted processes: Setze Netzwerk-/Internetzugriff für nicht aufgeführte Prozesse: - + Test Rules, Program: Testregeln, Programm: - + Port: Port: - + IP: IP: - + Protocol: Protokoll: - + X X - + Double click action: Aktion beim Doppelklick: - + Separate user folders Trenne Benutzerordner - + Box Structure Boxstruktur - - + + Move Up Nach oben verschieben - - + + Move Down Nach unten verschieben - + Security Options Sicherheitsoptionen - + Security Hardening Sicherheitsverbesserung - + Security Isolation Sicherheitsisolation - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Verschiedene Isolationsfunktionen können die Kompatibilität mit einigen Programmen stören. Wenn Sie diese Sandbox <b>NICHT für Sicherheit</b>, sondern für einfache Übertragbarkeit von Programmen verwenden, können Sie mit Hilfe dieser Optionen Kompatibilität wiederherstellen, indem Sie etwas Sicherheit opfern. - + Access Isolation Zugriffsisolation - + Image Protection Abbildschutz - + Issue message 1305 when a program tries to load a sandboxed dll Gebe Nachricht 1305 aus, wenn ein Programm versucht eine sandgeboxte DLL zu laden - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Hindere sandgeboxte Programme, die auf dem Hostsystem installiert sind, daran, DLLs aus der Sandbox zu laden - + Dlls && Extensions DLLs && Erweiterungen - + Description Beschreibung - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxies Ressourcenzugriffsregeln benachteiligen häufig Programme, die sich innerhalb der Sandbox befinden. OpenFilePath und OpenKeyPath funktionieren nur für Programme, die sich auf dem Hostsystem befinden. Um eine Regel ohne diese Beschränkungen zu definieren, müssen OpenPipePath oder OpenConfPath verwendet werden. Ebenso werden alle Closed(File|Key|Ipc)Path Anweisungen, welche durch eine Negation definiert werden, z.B. 'ClosedFilePath=!iexplore.exe,C:Users*', immer für Programme, die sich innerhalb einer Sandbox befinden, geschlossen sein. Beide Beschränkungen lassen sich auf der "Zugriffsrichtlinien"-Seite ausschalten. Dies wird gemacht, um bösartige Prozesse innerhalb der Sandbox daran zu hindern, eine umbenannte Kopie von sich selbst zu erstellen, um so auf geschützte Ressourcen zuzugreifen. Ein anderes Einfallstor ist die Injektion einer Programmbibliothek in einen befugten Prozess um Zugang zu allem zu erhalten, auf das dieser Prozess Zugriff hat. Mit der Verwendung des Abbildschutzes (Host Image Protection) kann dies verhindert werden, indem Programme (installiert auf dem Hostsystem), die innerhalb einer Sandbox laufen, daran gehindert werden, Programmbibliotheken aus der Sandbox selbst zu laden. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Die Funktionalität von Sandboxie kann durch die Verwendung optionaler DLLs erweitert werden, die beim Start in jeden sandgeboxten Prozess durch die Datei SbieDll.dll geladen werden können. Der Erweiterungsmanager in den globalen Einstellungen bietet ein paar nützliche Erweiterungen, die, nachdem diese installiert wurden, hier für die aktuelle Box aktiviert werden können. - + Advanced Security Erweiterte Sicherheit - + Other isolation Andere Isolation - + Privilege isolation Privilegien Isolation - + Sandboxie token Sandboxie Token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Die Verwendung eines eigenen Sandboxie Tokens erlaubt die bessere Isolation individueller Sandboxen zu einander und es zeigt in der Nutzerspalte des Taskmanagers den Namen der Box an zu der ein Prozess gehört. Einige Drittanbietersicherheitslösungen könnten jedoch Probleme mit den eigenen Tokens haben. - + Force Programs Erzwungene Programme - + Disable forced Process and Folder for this sandbox Deaktiviere erzwungene Prozesse und Ordner für diese Sandbox - + Breakout Programs Breakout Programme - + Breakout Program Breakout Programm - + Breakout Folder Breakout Ordner - + Force protection on mount Erzwinge Schutz beim Einhängen - + Prevent processes from capturing window images from sandboxed windows Hindere Prozesse daran, Screenshots von sandgeboxten Fenstern zu erstellen - + Allow useful Windows processes access to protected processes Erlaube nützlichen Windows-Prozessen Zugriff auf geschützte Prozesse - + This feature does not block all means of obtaining a screen capture, only some common ones. Diese Funktion blockiert nicht alle Mittel einen Screenshot zu erstellen, nur einige übliche. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Verhindert Bewegen des Mauszeigers, in den Vordergrund holen und ähnliche Vorgänge. Dies verursacht wahrscheinlich Probleme bei Spielen. - + Allow sandboxed windows to cover the taskbar Erlaube sandgeboxten Fenstern die Taskleiste zu verdecken - + Isolation Isolation - + Only Administrator user accounts can make changes to this sandbox Nur Administratoren können Änderungen an dieser Sandbox vornehmen - + Job Object Job-Objekt - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programme die hier eingegeben werden, wird erlaubt aus dieser Box auszubrechen, wenn diese starten, sodass Sie diese in einer anderen Box einfangen können. Zum Beispiel um Ihren Browser immer in einer dafür gewidmeten Box zu öffnen. - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>SICHERHEITSHINWEIS</font>:</b> Die Verwendung von <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> und/oder <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in Kombination mit Open[File/Pipe]Path-Anweisungen kann die Sicherheit beeinträchtigen. Bitte lesen Sie die Sicherheitshinweise für jede Option in der Dokumentation, bevor Sie diese verwenden. - - - - - + + + unlimited unbegrenzt - - + + bytes Bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. Angehakt: Dem neu erstellten sandgeboxten Token wird auch eine lokale Gruppe hinzugefügt, was es ermöglicht, alle Sandboxen auf einmal anzusprechen. Dies wäre für die Prüfung von Richtlinien nützlich. Teilweise angehakt: Dem neu erstellten sandgeboxten Token werden keine lokalen Gruppen hinzugefügt. - + Create a new sandboxed token instead of stripping down the original token Erzeuge einen neuen sandgeboxten Token, anstatt den ursprünglichen Token zu beschränken - + Drop ConHost.exe Process Integrity Level Verwerfe den Prozessintegritätslevel von ConHost.exe - + Force Children Erzwungene untergeordnete Prozesse - + + Breakout Document + Breakout Dokument + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SICHERHEITSHINWEIS</font>:</b> Die Verwendung von <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> und/oder <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in Kombination mit Open[File/Pipe]Path-Anweisungen kann die Sicherheit beeinträchtigen, ebenso wie die Verwendung von <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> mit dem Zulassen beliebiger * oder unsicherer (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) Dateiendungen. Bitte lesen Sie die Sicherheitshinweise für jede Option in der Dokumentation, bevor Sie diese verwenden. + + + Lingering Programs Verweilende Programme - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Verweilende Programme werden automatisch beendet, wenn diese noch laufen, nachdem alle anderen Prozesse bereits beendet wurden. - + Leader Programs Primäre Programme - + If leader processes are defined, all others are treated as lingering processes. Falls primäre Programme/Prozesse definiert wurden, werden alle anderen als verweilende Prozesse behandelt. - + Stop Options Stoppoptionen - + Use Linger Leniency Verwende nachsichtiges Verweilen - + Don't stop lingering processes with windows Verweilende Programme mit Fenstern nicht beenden - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. Diese Einstellung kann dazu verwendet werden Programme daran zu hindern, ohne das Wissen und die Zustimmung des Nutzers, in der Sandbox ausgeführt zu werden. - + Display a pop-up warning before starting a process in the sandbox from an external source Zeige eine Popup-Warnung vor der Ausführung eines Prozesses, in der Sandbox, von einer externen Quelle - + Files Dateien - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Konfiguriere welche Prozesse auf Dateien, Ordner und Pipes zugreifen können. 'Offener' Zugriff findet nur auf die Programme Anwendung die sich außerhalb der Sandbox befinden, Sie können stattdessen 'Offen für Alle' verwenden damit es Anwendung auf alle Programme findet oder Sie ändern dieses Verhalten im Richtlinienreiter. - + Registry Registry - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Konfiguriere welche Prozesse auf die Registry zugreifen können. 'Offener' Zugriff findet nur auf die Programme Anwendung die sich außerhalb der Sandbox befinden, Sie können stattdessen 'Offen für Alle' verwenden damit es Anwendung auf alle Programme findet oder Sie ändern dieses Verhalten im Richtlinienreiter. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Konfiguriere welche Prozesse Zugriff auf NT IPC Objekte haben, wie ALPC-Ports und anderen Prozessspeicher und Kontext. Um einen Prozess anzugeben verwenden Sie '$:program.exe' als Pfad. - + Wnd Fenster - + Wnd Class Fensterklasse - + COM COM - + Class Id Klassen-ID - + Configure which processes can access COM objects. Konfiguriere welche Prozesse Zugriff auf COMobjekte haben. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Nicht den virtualisierten COM verwenden, offener Zugriff auf die COMinfrastruktur des Hostsystems (nicht empfohlen) - + Access Policies Zugriffsrichtlinien - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Wende 'Close...=!<program>,...' Regeln auch auf alle ausführbaren Binärcodes (Programme) innerhalb der Sandbox an. - + Network Options Netzwerkoptionen - + Add Rule Regel hinzufügen - - - - + + + + Action Aktion - - + + Port Port - - - + + + IP IP - + Protocol Protokoll - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. ACHTUNG: Die Windows Filtering Platform wird nicht durch den Treiber ermöglicht, deshalb können diese Regeln nur im Nutzerkontext angewendet und nicht erzwungen werden!!! Dies bedeutet, dass ein bösartiges Programm diese umgehen könnte. - + Quick Recovery Schnellwiederherstellung - + Various Options Verschiedene Optionen - + Allow use of nested job objects (works on Windows 8 and later) Erlaube Verwendung von verschachtelten Job-Objekten (funktioniert ab Windows 8 und neuer) - + Allow sandboxed programs to manage Hardware/Devices Erlaube sandgeboxten Programmen Hardware/Geräte zu verwalten - + Open access to Windows Local Security Authority Öffne Zugriff auf Windows Local Security Authority - + Program Control Programmkontrolle - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. Die Regelgenauigkeit ist ein Maß wie genau eine gegebene Regel mit einem gewissen Pfad übereinstimmt; einfach gesagt ist die Genauigkeit die Länge der Zeichen vom Beginn des Pfades bis zu und inklusive des letzten übereinstimmenden Nicht-Wildcard-Zeichenkettenteils. Eine Regel, welche nur mit Dateitypen, wie "*.tmp" übereinstimmt, hätte die höchste Genauigkeit, da sie immer mit dem ganzen Pfad übereinstimmt. Der Prozessübereinstimmungslevel hat eine höhere Priorität als die Genauigkeit und beschreibt wie eine Regel für einen gewissen Prozess anzuwenden ist. Regeln welche für Prozessnamen oder Gruppen gelten haben den höchsten Übereinstimmungslevel, gefolgt von der Übereinstimmung durchr Negation (z.B. Regeln werden auf alle Prozesse angewandt, außer auf bestimmte), während globale Übereinstimmungen den geringste Übereinstimmungslevel (z.B. Regel die auf jeden Prozess zutreffen) haben. - + Prioritize rules based on their Specificity and Process Match Level Priorisiere Regeln basierend ihrer Genauigkeit und Prozessübereinstimmungslevel - + Privacy Mode, block file and registry access to all locations except the generic system ones Privatsphärenmodus, blockiere Datei und Registryzugriff zu allen Orten außer den generischen des Systems - + Access Mode Zugriffsmodus - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Wenn der Privatsphärenmodus angeschaltet ist, können sandgeboxte Prozesse nur C:\Windows\*, C:\Programme\*, und Teile der HKLM-Registry lesen, alle anderen Speicherorte benötigen die explizite Freigabe zum Lesen und/oder Schreiben. In diesem Modus ist die Regelgenauigkeit immer eingeschaltet. - + Rule Policies Regel-Richtlinien - + Apply File and Key Open directives only to binaries located outside the sandbox. Wende Datei- und Schlüsselöffnungsanweisungen nur auf ausführbaren Binärcode außerhalb der Sandbox an. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Starte die sandgeboxten RpcSs als SYSTEM-Prozess (nicht empfohlen) - + Drop critical privileges from processes running with a SYSTEM token Verwerfe kritische Privilegien von Prozessen die mit einem SYSTEM-Token laufen - - + + (Security Critical) (Sicherheitskritisch) - + Protect sandboxed SYSTEM processes from unprivileged processes Schütze sandgeboxte SYSTEM-Prozesse vor unprivilegierten Prozessen @@ -8164,142 +8277,142 @@ Der Prozessübereinstimmungslevel hat eine höhere Priorität als die Genauigkei Diese Sandbox immer in der Trayliste anzeigen (Angeheftet) - + Security enhancements Sicherheitsverbesserungen - + Use the original token only for approved NT system calls Nutze den originalen Token nur für genehmigte NT Systemaufrufe - + Restrict driver/device access to only approved ones Beschränke Treiber/Gerätezugriff nur auf genehmigte - + Enable all security enhancements (make security hardened box) Aktiviere alle Sicherheitsverbesserungen (mache eine sicherheitsgehärtete Box) - + Allow to read memory of unsandboxed processes (not recommended) Erlaube das Lesen von nicht sandgeboxten Prozessen (nicht empfohlen) - + Issue message 2111 when a process access is denied Gebe Nachricht 2111 aus, falls ein Prozesszugriff abgelehnt wird - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Deaktiviere standardmäßig die Benutzung von RpcMgmtSetComTimeout (Dies könnte Kompatibilitätsprobleme lösen) - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Sicherheitsisolation durch die Verwendung eines stark eingeschränkten Prozesstokens ist Sandboxies hauptsächliches Mittel um Sandboxrestriktionen zu erzwingen. Falls dies deaktiviert ist, wird die Box im Applikationsunterteilungsmodus betrieben und bietet somit nicht länger verlässliche Sicherheit, sondern nur einfache Applikationsunterteilung. - + Security Isolation & Filtering Sicherheitsisolation & Filter - + Disable Security Filtering (not recommended) Deaktiviere Sicherheitsfilter (nicht empfohlen) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Sicherheitsfilter werden von Sandboxie verwendet um Dateisystem- und Registryzugriffsrestriktionen zu erzwingen und auch um Prozesszugriff zu beschränken. - + The below options can be used safely when you don't grant admin rights. Die unterstehenden Optionen können sicher genutzt werden, wenn Sie keine Adminrechte gewähren. - + Triggers Auslöser - + Event Vorgang - - - - + + + + Run Command Kommando ausführen - + Start Service Dienst starten - + These events are executed each time a box is started Diese Vorgänge werden jedes Mal ausgeführt, wenn eine Box gestartet wird - + On Box Start Beim Boxstart - - + + These commands are run UNBOXED just before the box content is deleted Diese Kommandos werden NICHT-sandgeboxt ausgeführt, direkt bevor der Boxinhalt gelöscht wird - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Diese Kommandos werden nur ausgeführt wenn eine Box initialisiert wird. Um diese erneut auszuführen, muss der Boxinhalt gelöscht werden. - + On Box Init Bei Boxinitialisierung - + Here you can specify actions to be executed automatically on various box events. Hier können Sie Aktionen angeben, die automatisch bei bestimmten Boxvorgängen ausgeführt werden. - + Disable Resource Access Monitor Deaktiviere Ressourcenzugriffsmonitor - + Resource Access Monitor Ressourcenzugriffsmonitor - - + + Network Firewall Netzwerk-Firewall - + Template Folders Vorlagenordner - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8308,78 +8421,78 @@ Please note that this values are currently user specific and saved globally for Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global für alle Boxen gespeichert werden. - - + + Value Wert - + Accessibility Barrierefreiheit - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Zur Kompensation des verlorenen Schutzes, suchen Sie die Einstellungsseite der Rechteabgabe in der Gruppe der Beschränkungen auf. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Screenreader, JAWS, NVDA, Window-Eyes, Systemzugriff - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Verwende Volumenseriennummern für Laufwerke, wie: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty Die Boxstruktur kann nur geändert werden, wenn die Sandbox leer ist - + Disk/File access Disk/Dateizugriff - + Encrypt sandbox content Sandboxinhalt verschlüsseln - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. Wenn <a href="sbie://docs/boxencryption">Boxverschlüsselung</a> eingeschaltet ist, wird der Boxquellordner, inklusive des Registryhives, auf einem verschlüsselten Diskabbild, durch die Verwendung von <a href="https://diskcryptor.org">Disk Cryptors</a> AES-XTS Implementierung, gespeichert. - + Partially checked means prevent box removal but not content deletion. Teilweise angehakt bedeutet, dass die Box vor dem Entfernen geschützt wird, aber nicht deren Inhalt vor dem Löschen. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Installiere ImDisk</a> Treiber zur Aktivierung von Ramdisk- und Diskabbildunterstützung. - + Store the sandbox content in a Ram Disk Speichere den Sandboxinhalt in einer Ramdisk - + Set Password Passwort setzen - + Virtualization scheme Virtualisierungsschema - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -8388,289 +8501,289 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f 2115: Datei wurde nicht migriert, Datei wird nur schreibgeschützt geöffnet - + Issue message 2113/2114/2115 when a file is not fully migrated Gebe Nachricht 2113/2114/2115 aus, wenn eine Datei nicht vollständig migriert wurde - + Add Pattern Muster hinzufügen - + Remove Pattern Muster entfernen - + Pattern Muster - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie erlaubt das Schreiben zu Dateien des Hotrechners nicht, außer wenn dies durch den Nutzer genehmigt wird. Wenn ein sandgeboxtes Programm versucht eine Datei zu verändern, muss die gesamte Datei in die Sandbox kopiert werden, was bei größeren Dateien eine erhebliche Menge an Zeit dauern kann. Sandboxie bietet Optionen zur Behandlung dieser Fälle, welche auf dieser Seite konfiguriert werden können. - + Using wildcard patterns file specific behavior can be configured in the list below: Verwendete Wildcardmuster zum dateispezifischen Verhalten können in der untenstehenden Liste konfiguriert werden: - + When a file cannot be migrated, open it in read-only mode instead Falls eine Datei nicht migriert werden kann, öffne diese stattdessen im schreibgeschützten Modus - + Restrictions Restriktionen - + Disable Security Isolation Deaktiviere Sicherheitsisolation - - + + Box Protection Boxschutz - + Protect processes within this box from host processes Schütze Prozesse innerhalb dieser Box vor Hostprozessen - + Allow Process Prozess erlauben - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Gebe Nachricht 1318/1317 aus, wenn ein Hostprozess versucht auf einen sandgeboxten Prozess oder die Boxquelle zuzugreifen - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus ist in der Lage vertrauliche Sandboxen zu erzeugen, die einen robusten Schutz gegen unautorisierte Überwachung oder Manipulation durch Hostprozesse bieten. Durch die Verwendung eines verschlüsselten Sandboxabbildes liefert diese Funktion das höchste Level von operativer Vertraulichkeit, stellt die Sicherheit und Integrität von sandgeboxten Prozessen sicher. - + Deny Process Prozess ablehnen - + Use a Sandboxie login instead of an anonymous token Verwende einen Sandboxie-Login anstelle eines anonymen Tokens - + Configure which processes can access Desktop objects like Windows and alike. Konfiguriere welche Prozesse Zugriff auf Desktopobjekte wie Fenster und dergleichen haben. - + Apply ElevateCreateProcess Workaround (legacy behaviour) Wende die ElevateCreateProcess-Problemumgehung an (veraltetes Verhalten) - + Use desktop object workaround for all processes Wende den Workaround für Desktopobjekt auf alle Prozesse an - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. Wenn der globale Hotkey 3x kurz hintereinander gedrückt wird, wird diese Ausnahme ignoriert. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. Schließe diese Sandbox davon aus, dass sie beendet wird, wenn "Alle Prozesse beenden" aufgerufen wird. - + This command will be run before the box content will be deleted Dieses Kommando wird ausgeführt bevor der Boxinhalt gelöscht wird - + On File Recovery Bei Dateiwiederherstellung - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked Dieses Kommando wird ausgeführt bevor eine Datei wiederhergestellt wird und der Dateipfad wird als erstes Argument weitergegeben und falls dieses Kommando etwas anderes als den Wert 0 zurückgibt, wird die Wiederherstellung blockiert - + Run File Checker Starte Dateiprüfer - + On Delete Content Beim Löschen von Inhalten - + Prevent sandboxed processes from interfering with power operations (Experimental) Hindere sandgeboxte Prozesse daran, Energievorgänge von Windows zu beeinträchtigen (experimentell) - + Prevent interference with the user interface (Experimental) Verhindere die Beeinträchtigung der Benutzeroberfläche (experimentell) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) Hindere sandgeboxte Prozesse daran, Screenshots zu erstellen (experimentell, kann Störungen der Benutzeroberfläche verursachen) - + Protect processes in this box from being accessed by specified unsandboxed host processes. Schütze Prozesse in dieser Box vor Zugriff durch angegebene nicht sandgeboxte Prozesse des Hostsystems. - - + + Process Prozess - + Other Options Andere Optionen - + Port Blocking Portblockade - + Block common SAMBA ports Blockiere übliche SAMBA-Ports - + Bypass IPs Umgehe IPs - + Block DNS, UDP port 53 Blockiere DNS, UPD Port 53 - + Add Option Füge Option hinzu - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Hier können Sie pro Prozess Optionen konfigurieren, um die Kompatibilität zu verbessern und/oder das Sandboxverhalten zu personalisieren. - + Option Option - + These commands are run UNBOXED after all processes in the sandbox have finished. Diese Befehle werden AUẞERHALB der Sandbox ausgeführt, nachdem alle Prozesse in der Sandbox beendet wurden. - + Privacy Privatsphäre - + Hide Firmware Information Verstecke Firmwareinformationen - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Einige Programme lesen Systemdetails über WMI (eine in Windows eingebaute Datenbank) aus, anstatt auf herkömmliche Weise. Zum Beispiel könnte "tasklist.exe" über den Zugriff auf WMI eine vollständige Prozessliste erhalten, selbst wenn "HideOtherBoxes" verwendet wird. Aktivieren Sie diese Option, um dieses Verhalten zu beenden. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Hindere sandgeboxte Prozesse daran, über WMI auf Systemdetails zuzugreifen (siehe Tooltip für mehr Infos) - + Process Hiding Prozesse verstecken - + Use a custom Locale/LangID Verwende eine eigene Locale/LangID - + Data Protection Datenschutz - + Dump the current Firmware Tables to HKCU\System\SbieCustom Speichere die aktuellen Firmwaretabellen in HKCU\System\SbieCustom - + Dump FW Tables Speichere FW-Tabellen - + Syscall Trace (creates a lot of output) Systemaufrufrückverfolgung (erzeugt große Ausgabemenge) - + Templates Vorlagen - + Open Template Öffne Vorlage - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Die folgenden Einstellungen ermöglichen die Verwendung von Sandboxie in Verbindung mit Barrierefreiheitssoftware. Bitte beachten Sie, dass ein gewisser Umfang des Schutzes von Sandboxie notwendigerweise verloren geht, wenn diese Einstellungen aktiv sind. - + Edit ini Section INI Sektion bearbeiten - + Edit ini INI bearbeiten - + Cancel Abbrechen - + Save Speichern @@ -8686,7 +8799,7 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f ProgramsDelegate - + Group: %1 Gruppe: %1 @@ -8694,7 +8807,7 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f QObject - + Drive %1 Laufwerk %1 @@ -8702,27 +8815,27 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f QPlatformTheme - + OK OK - + Apply Anwenden - + Cancel Abbrechen - + &Yes &Ja - + &No &Nein @@ -8740,22 +8853,22 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f Ordner hinzufügen - + Refresh Aktualisieren - + Delete Löschen - + Show All Files Zeige alle Dateien - + TextLabel Beschriftungstext @@ -8765,7 +8878,7 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f Wiederherstellungsziel: - + Recover Wiederherstellen @@ -8775,7 +8888,7 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f Inhalte löschen - + Close Schließen @@ -8841,12 +8954,12 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f Generelle Konfiguration - + Hotkey for terminating all boxed processes: Hotkey zur Beendigung aller Prozesse in Sandboxen: - + Systray options Systemtray-Optionen @@ -8856,127 +8969,127 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f UI Sprache: - + Show Icon in Systray: Zeige Icon im System-Tray: - + Shell Integration Menüintegration - + Run Sandboxed - Actions Starte in Sandbox - Aktionen - + Always use DefaultBox Immer DefaultBox verwenden - + Start Sandbox Manager Starte Sandboxmanager - + Add 'Run Sandboxed' to the explorer context menu Füge 'Starte Sandgeboxt' zum Kontextmenü des Explorers hinzu - + Use Windows Filtering Platform to restrict network access Nutze Windows Filtering Platform um den Netzwerkzugriff zu beschränken - + Hook selected Win32k system calls to enable GPU acceleration (experimental) In ausgewählte Win32k Systemaufrufe einklinken um (GPU-)Hardwarebeschleunigung zu ermöglichen (experimentell) - + Default sandbox: Standard Sandbox: - + Program Alerts Programmbenachrichtigungen - + Issue message 1301 when forced processes has been disabled Gebe Nachricht 1301 aus, wenn erzwungene Prozesse deaktiviert wurden - + Open Template Öffne Vorlage - + Edit ini Section INI Sektion bearbeiten - + Save Speichern - + Edit ini INI bearbeiten - + Cancel Abbrechen - + In the future, don't notify about certificate expiration Zukünftig nicht über ablaufende Zertifikate informieren - + Enter the support certificate here Hier das Unterstützerzertifikat eingeben - + Watch Sandboxie.ini for changes Sandboxie.ini auf Änderungen überwachen - + Open urls from this ui sandboxed Öffne URLs aus dieser Benutzerschnittstelle in einer Sandbox - + Only Administrator user accounts can make changes Nur Administratoren können Änderungen vornehmen - + Advanced Config Erweiterte Konfiguration - + Sandboxing features Sandboxingfunktionen - + Show recoverable files as notifications Zeige wiederherstellbare Dateien als Benachrichtigungen - + Run box operations asynchronously whenever possible (like content deletion) Führe Boxoperationen asynchron aus, wenn möglich (wie Inhalte löschen) @@ -8986,213 +9099,213 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f Generelle Optionen - + Count and display the disk space occupied by each sandbox Berechne und zeige den Festplattenspeicherplatz an, der von jeder Sandbox verwendet wird - + Show boxes in tray list: Zeige Boxen in der Tray-Liste: - + Add 'Run Un-Sandboxed' to the context menu Füge 'Starte Nicht-Sandgeboxt' zum Kontextmenü hinzu - + Recovery Options Wiederherstellungsoptionen - + Show a tray notification when automatic box operations are started Zeige Traybenachrichtigung an, wenn automatische Boxvorgänge gestartet wurden - + Start Menu Integration Startmenü-Integration - + Use Compact Box List Verwende kompakte Boxliste - + Scan shell folders and offer links in run menu Scanne Shell-Ordner und biete Links im Startmenü an - + Interface Config Oberflächenkonfiguration - + Show "Pizza" Background in box list * Zeige "Pizza"-Hintergrund in der Boxliste * - + Make Box Icons match the Border Color Die Box-Iconfarbe mit der Rahmenfarbe angleichen - + Use a Page Tree in the Box Options instead of Nested Tabs * Verwende eine Baumstruktur in den Boxoptionen anstelle von verschachtelten Reitern * - + Integrate with Host Start Menu In das Startmenü des Hostrechners integrieren - + User Interface Benutzeroberfläche - - + + Interface Options Oberflächenoptionen - + Use large icons in box list * Verwende große Icons in der Boxliste * - + High DPI Scaling Hohe DPI-Skalierung - + Don't show icons in menus * Keine Icons in den Menüs anzeigen * - + Use Dark Theme Nutze dunklen Modus - + Font Scaling Schriftartenskalierung - + (Restart required) (Erfordert Neustart) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * eine teilweise angehakte Checkbox macht das Verhalten abhängig von dem Ansichtsmodus. - + Show the Recovery Window as Always on Top Zeige das Dateiwiederherstellungsfenster immer im Vordergrund an - + % % - + Alternate row background in lists Abwechselnder Zeilenhintergrund bei Listen - + Use Fusion Theme Nutze Fusion Thema - + Activate Kernel Mode Object Filtering Aktiviere Kernelmodus-Objektfilterung - + Sandboxie Config Sandboxie-Konfiguration - + Config protection Konfigurationsschutz - + Only Administrator user accounts can use Pause Forcing Programs command Nur Administratoren können das Kommando zum Pausieren von erzwungenen Programmen verwenden - + Password must be entered in order to make changes Passwort muss für Änderungen eingegeben werden - + Change Password Passwort ändern - + Incremental Updates Inkrementelle Updates - + Hotpatches for the installed version, updates to the Templates.ini and translations. Hotpatches für die installierte Version, Updates für die Templates.ini und Übersetzungen. - + The preview channel contains the latest GitHub pre-releases. Der Vorschaukanal enthält die aktuellsten GitHub-Vorabveröffentlichungen. - + The stable channel contains the latest stable GitHub releases. Der Stabilkanal enthält die aktuellsten stabilen GitHub-Veröffentlichungen. - + Search in the Stable channel Suche im Stabilkanal - + Search in the Preview channel Suche im Vorschaukanal - + Use new config dialog layout * Verwende das neue Konfigurationsdialogslayout * - + Sandbox default Sandboxstandard - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Sandbox <a href="sbie://docs/filerootpath">Dateisystemquelle</a>: - + This option also enables asynchronous operation when needed and suspends updates. Diese Option aktiviert auch asynchrone Operationen, wenn nötig, und setzt Updates aus. @@ -9202,590 +9315,600 @@ Bitte beachten Sie, dass diese Werte aktuell nutzerspezifisch sind und global f SandMan Einstellungen - + Notifications Benachrichtigungen - + Add Entry Füge Eintrag hinzu - + Show file migration progress when copying large files into a sandbox Zeige Dateimigrationsfortschritt, wenn große Dateien in eine Sandbox kopiert werden - + Message ID Nachrichten-ID - + Message Text (optional) Nachrichtentext (optional) - + SBIE Messages SBIE Nachrichten - + Delete Entry Eintrag löschen - + Notification Options Benachrichtigungsoptionen - + Suppress pop-up notifications when in game / presentation mode Unterdrücke Pop-up-Benachrichtigungen im Spiel-/Präsentationsmodus - + Windows Shell Windows-Shell - + Run Menu Startmenü - + Add program Füge Programm hinzu - + Move Up Nach oben verschieben - + Move Down Nach unten verschieben - + You can configure custom entries for all sandboxes run menus. Sie können benutzerdefinierte Einträge zu den Startmenüs aller Sandboxen hinzufügen. - - - + + + Remove Entfernen - + Show overlay icons for boxes and processes Zeige Overlayicons für Boxen und Prozesse - + Hide Sandboxie's own processes from the task list Verstecke die Sandboxie-eigenen Prozesse in der Aufgabenliste - + Ini Editor Font Ini Editor Schriftart - + Select font Schriftart auswählen - + Reset font Schriftart zurücksetzen - + # # - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Unterstützer des Sandboxie-Plus Projektes können ein <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Unterstüzerzertifikat</a> erhalten. Es ist wie ein Lizenzschlüssel, aber für großartige Menschen die Freie Software verwenden. :-) - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Sandboxie auf dem neusten Stand mit den laufenden Veröffentlichungen von Windows und kompatibel mit allen Webbrowsern zu halten, ist eine niemals endende Aufgabe. Sie können die Entwicklung durch <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">direkte Beteiligung am Projekt unterstützen</a>, Ihre Unterstützung zeigen, <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">durch den Kauf eines Unterstützerzertifikates</a>, als Patron durch ein <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon-Abonnement</a>, oder durch eine <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal Spende</a>.<br />Ihre Unterstützung spielt eine wichtige Rolle beim Fortschritt und der Instandhaltung von Sandboxie. - + Local Templates Lokale Vorlagen - + Add Template Füge Vorlage hinzu - + Text Filter Textfilter - + This list contains user created custom templates for sandbox options Diese Liste enthält eigene nutzererzeugte Vorlagen für Sandboxoptionen - + Command Line Kommandozeile - + Support && Updates Unterstützung && Updates - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Sandbox <a href="sbie://docs/ipcrootpath">IPC-Quelle</a>: - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Sandbox <a href="sbie://docs/keyrootpath">Registy-Quelle</a>: - + Clear password when main window becomes hidden Leere Passwort, wenn das Hauptfenster versteckt wird - + Start UI with Windows Starte Benutzeroberfläche mit Windows - + Start UI when a sandboxed process is started Starte Benutzeroberfläche, wenn ein Prozess in einer Sandbox gestartet wird - + Show file recovery window when emptying sandboxes Zeige das Dateiwiederherstellungsfenster vor dem Leeren der Sandboxen an - + Portable root folder Portabler Quellordner - + ... ... - - - - - + + + + + Name Name - + Path Pfad - + Remove Program Programm entfernen - + Add Program Programm hinzufügen - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Wenn eines der folgenden Programme außerhalb einer Sandbox gestartet wird, wird Sandboxie die Nachricht SBIE1301 ausgeben. - + Add Folder Ordner hinzufügen - + Prevent the listed programs from starting on this system Verhindere den Start der aufgeführten Programme auf diesem System - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie gibt <a href="sbie://docs/sbiemessages">SBIE Nachrichten</a> in das Nachrichtenprotokoll aus und zeigt diese als Popups. Einige Nachrichten sind informativ und benachrichtigen über gewöhnliche, oder in manchen Fällen spezielle, Ereignisse die stattgefunden haben. Andere Nachrichten deuten einen Fehlerzustand an.<br />Sie können ausgewählte SBIE Nachrichten verbergen, sodass diese nicht aufpoppen. Verwenden Sie hierzu die unten stehende Liste: - + Disable SBIE messages popups (they will still be logged to the Messages tab) Deaktiviere SBIE Nachrichten Popups (sie werden weiterhin im Nachrichtenreiter erfasst) - + Graphic Options Grafikoptionen - + Ini Options Ini-Optionen - + External Ini Editor Externer Ini-Editor - + Add-Ons Manager Erweiterungsmanager - + Optional Add-Ons Optionale Erweiterungen - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus bietet zahlreiche Optionen und unterstützt eine weite Auswahl von Erweiterungen. Auf dieser Seite können Sie die Integration von Erweiterungen, Plugins und anderen Drittanbieterkomponenten einrichten. Optionale Komponenten können aus dem Netz geladen werden. Bestimmte Installationen erfordern administrative Rechte. - + Status Status - + Version Version - + Description Beschreibung - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">Erweiterungsliste jetzt aktualisieren</a> - + Install Installieren - + Add-On Configuration Erweiterungskonfiguration - + Enable Ram Disk creation Aktiviere Ramdiskerzeugung - + kilobytes Kilobytes - + Disk Image Support Diskabbildunterstützung - + RAM Limit RAM Grenze - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Installiere ImDisk</a> Treiber zur Aktivierung von Ramdisk- und Diskabbildunterstützung. - + Hotkey for bringing sandman to the top: Hotkey, um SandMan in den Vordergrund zu holen: - + Hotkey for suspending process/folder forcing: Hotkey zum Aussetzen der Erzwingung von Prozessen/Ordnern: - + Hotkey for suspending all processes: Hotkey zum Unterbrechen aller Prozesse: - + Check sandboxes' auto-delete status when Sandman starts Prüfe den 'automatisches Löschen' Status der Sandboxen beim Starten von SandMan - + Integrate with Host Desktop Mit dem Host-Desktop integrieren - + System Tray System-Tray - + On main window close: Beim Schließen des Hauptfensters: - + Open/Close from/to tray with a single click Öffnen/Schließen vom/zum System-Tray mit einem einzelnen Klick - + Minimize to tray In den System-Tray minimieren - + Hide SandMan windows from screen capture (UI restart required) Verberge SandMan-Fenster vor der Erstellung von Screenshots (Neustart der Benutzeroberfläche erforderlich) - + Assign drive letter to Ram Disk Der Ramdisk einen Laufwerksbuchstaben zuweisen - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. Wenn eine Ramdisk bereits eingehängt ist, müssen Sie sie aushängen, damit diese Option wirksam wird. - + * takes effect on disk creation * wird bei der Erstellung der Ramdisk wirksam - + Sandboxie Support Sandboxie Unterstützung - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Dieses Unterstützerzertifikat ist abgelaufen, bitte <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">holen Sie sich ein erneuertes Zertifikat</a>. - + Get Erhalten - + Retrieve/Upgrade/Renew certificate using Serial Number Abrufen/Aufwerten/Erneuern des Zertifikats unter Verwendung der Seriennummer - + Add 'Set Force in Sandbox' to the context menu Füge 'Setze Erzwinge in Sandbox' zum Kontextmenü hinzu - + Add 'Set Open Path in Sandbox' to context menu Füge 'Setze Öffne Pfad in Sandbox' zum Kontextmenü hinzu - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Zertifikatsverwendungsanleitung</a> - + HwId: 00000000-0000-0000-0000-000000000000 HwId: 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits Beende alle Prozesse in Sandboxen, wenn SandMan beendet wird - + Cert Info Zert. Infos - + Sandboxie Updater Sandboxie Updater - + Keep add-on list up to date Erweiterungsliste aktuell halten - + Update Settings Update Einstellungen - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Der Insiderkanal bietet frühen Zugriff auf neue Funktionen und Bugfixes, die irgendwann allgemein veröffentlicht werden sollen, als auch alle relevanten Verbesserungen des Stabilkanals. Anders als der Vorschaukanal, enthält es keine ungetesteten, möglicherweise fehlerhaften oder experimentellen Änderungen, welche möglicherweise einer breiten Verwendung entgegenstehen. - + Search in the Insider channel Suche im Insiderkanal - + New full installers from the selected release channel. Neue vollständige Installer aus dem ausgewählten Veröffentlichungskanal. - + Full Upgrades Vollständige Upgrades - + Check periodically for new Sandboxie-Plus versions Periodisch nach Updates für Sandboxie-Plus suchen - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> Mehr über den <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insiderkanal</a> - + Keep Troubleshooting scripts up to date Problembehebungsskripte aktuell halten - + Update Check Interval Update-Prüfintervall - + Use a Sandboxie login instead of an anonymous token Verwende einen Sandboxie-Login anstelle eines anonymen Tokens - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) Füge die Gruppe "Sandboxie\All Sandboxes" zum sandgeboxten Token hinzu (experimentell) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + Diese Funktion schützt die Sandbox durch Beschränkung des Zugriffs, so dass andere Benutzer nicht auf den Ordner zugreifen können. Stellen Sie sicher, dass der Pfad für die Sandbox Dateisystemquelle das Makro %USER% enthält, damit jeder Benutzer einen eigenen Sandbox-Ordner erhält. + + + + Restrict box root folder access to the the user whom created that sandbox + Beschränke den Zugriff auf den Boxquellordner auf den Benutzer, der diese Sandbox erstellt hat + + + Sandboxie.ini Presets Sandboxie.ini Vorlagen - + Always run SandMan UI as Admin SandMan Benutzeroberfläche immer als Admin ausführen - + Program Control Programmkontrolle - + Issue message 1308 when a program fails to start Gebe Nachricht 1308 aus, wenn ein Programmstart fehlschlägt - + USB Drive Sandboxing USB-Laufwerk Sandboxing - + Volume Datenträger - + Information Information - + Sandbox for USB drives: Sandbox für USB-Laufwerke: - + Automatically sandbox all attached USB drives Automatisch alle eingesteckten USB-Laufwerke sandboxen - + App Templates Programmvorlagen - + App Compatibility Programmkompatibilität - + In the future, don't check software compatibility Zukünftig nicht auf Softwarekompatibilität prüfen - + Enable Aktiveren - + Disable Deaktivieren - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie hat die folgenden Anwendungen auf dem System gefunden. OK klicken zur Anwendung der Konfigurationseinstellungen, welche die Softwarekompatibilität mit diesen Anwendungen verbessert. Diese Konfigurationseinstellungen haben Auswirkungen auf alle existierenden und neuen Sandboxen. @@ -9808,37 +9931,37 @@ Anders als der Vorschaukanal, enthält es keine ungetesteten, möglicherweise fe Name: - + Description: Beschreibung: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Beim Löschen von Schnappschussinhalten wird zu diesem Schnappschuss zurückgekehrt, anstelle von keinem. - + Default snapshot Standardschnappschuss - + Snapshot Actions Schnappschussaktionen - + Remove Snapshot Schnappschuss entfernen - + Take Snapshot Schnappschuss erstellen - + Go to Snapshot Gehe zum Schnappschuss diff --git a/SandboxiePlus/SandMan/sandman_en.ts b/SandboxiePlus/SandMan/sandman_en.ts index 3bd2966b..d15dea5c 100644 --- a/SandboxiePlus/SandMan/sandman_en.ts +++ b/SandboxiePlus/SandMan/sandman_en.ts @@ -9,53 +9,53 @@ - + kilobytes - + Protect Box Root from access by unsandboxed processes - - + + TextLabel - + Show Password - + Enter Password - + New Password - + Repeat Password - + Disk Image Size - + Encryption Cipher - + Lock the box when all processes stop. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? - + Installing: %1 - + Add-on not found, please try updating the add-on list in the global settings! - + Add-on Not Found - + Add-on is not available for this platform Addon is not available for this paltform - + Missing installation instructions Missing instalation instructions - + Executing add-on setup failed - + Failed to delete a file during add-on removal - + Updater failed to perform add-on operation Updater failed to perform plugin operation - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 - + Do you want to remove %1? - + Removing: %1 - + Add-on not found! @@ -135,44 +135,44 @@ CAdvancedPage - + Advanced Sandbox options - + On this page advanced sandbox options can be configured. - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -180,52 +180,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled - + Advanced Options - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -335,31 +345,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -375,156 +385,156 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. - + Enter box name: - + Select box type: Sellect box type: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection - + Security Hardened Sandbox - + Sandbox with Data Protection - + Standard Isolation Sandbox (Default) - + Application Compartment with Data Protection - + Application Compartment Box - + Confidential Encrypted Box - + Remove after use - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. - + Configure advanced options - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -811,37 +821,65 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - - - - - Maximum + Zip + Store + + + + + Fastest + + + + + Fast + + + + + Normal + + + + + Maximum + + + + Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + + + + + This name is already in use, please select an alternative box name + + + CFileBrowserWindow @@ -891,13 +929,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -905,64 +943,64 @@ You can use %USER% to save each users sandbox to an own fodler. - + Sandboxed Files - + Select Directory - + Virtualization scheme - + Version 1 - + Version 2 - + Separate user folders - + Use volume serial numbers for drives - + Auto delete content when last process terminates - + Enable Immediate Recovery of files from recovery locations - + The selected box location is not a valid path. The sellected box location is not a valid path. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. @@ -1094,83 +1132,83 @@ You can use %USER% to save each users sandbox to an own fodler. CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access - + Allow network/internet access - + Block network/internet by denying access to Network devices - + Block network/internet using Windows Filtering Platform - + Allow access to network files and folders - - + + This option is not recommended for Hardened boxes - + Prompt user whether to allow an exemption from the blockade - + Admin Options - + Drop rights from Administrators and Power Users groups - + Make applications think they are running elevated - + Allow MSIServer to run with a sandboxed system token - + Box Options - + Use a Sandboxie login instead of an anonymous token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. @@ -1230,24 +1268,25 @@ You can use %USER% to save each users sandbox to an own fodler. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. - + Don't show this message again. @@ -1263,148 +1302,148 @@ You can use %USER% to save each users sandbox to an own fodler. COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? - + Don't show this message again. - + Checking for updates... - + server not reachable - - + + Failed to check for updates, error: %1 - + <p>Do you want to download the installer?</p> - + <p>Do you want to download the updates?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> - + Don't show this update anymore. - + Downloading updates... - + invalid parameter - + failed to download updated information failed to download update informations - + failed to load updated json file failed to load update json file - + failed to download a particular file - + failed to scan existing installation - + updated signature is invalid !!! update signature is invalid !!! - + downloaded file is corrupted - + internal error - + unknown error - + Failed to download updates from server, error %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> - + Downloading installer... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> - + Don't show this announcement in the future. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1414,9 +1453,9 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - - + + Browse for File @@ -1560,21 +1599,21 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory - + - - - - + + + + @@ -1584,12 +1623,12 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + - - + + @@ -1623,8 +1662,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1637,196 +1676,222 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. - + Enable crash dump creation in the sandbox folder - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes - + Set RpcMgmtSetComTimeout usage for specific processes - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. - + Force specified processes to wait for a debugger to attach. - + Sandbox file system root - + Sandbox registry root - + Sandbox ipc root - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: - - + + On Start - - - - - + + + + + Run Command - + Start Service - + On Init - + On File Recovery - + On Delete Content - + On Terminate - - - - - + + + + + Please enter the command line to be executed - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Deny - + %1 (%2) - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. - - + + Process - - + + Folder - + Children - - - + + Document + + + + + + Select Executable File - - - + + + Executable Files (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? @@ -1903,156 +1968,156 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Custom icon - + Version 1 - + Version 2 - + Browse for Program - + Open Box Options - + Browse Content - + Start File Recovery - + Show Run Dialog - + Indeterminate - + Backup Image Header - + Restore Image Header - + Change Password - - + + Always copy - - + + Don't copy - - + + Copy empty - + kilobytes (%1) - + Select color - + Select Program - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored - + Please enter a service identifier - + Executables (*.exe *.cmd) - - + + Please enter a menu title - + Please enter a command @@ -2131,7 +2196,7 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Allow @@ -2254,62 +2319,62 @@ Please select a folder which contains this file. - + Sandboxie Plus - '%1' Options - + File Options - + Grouping - + Add %1 Template - + Search for options - + Box: %1 - + Template: %1 - + Global: %1 - + Default: %1 - + This sandbox has been deleted hence configuration can not be saved. - + Some changes haven't been saved yet, do you really want to close this options window? - + Enter program: @@ -2360,12 +2425,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss - + Remove this progress indicator from the list @@ -2373,42 +2438,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process - + Yes - + No - + Terminate - + Yes and add to allowed programs - + Requesting process terminated - + Request will time out in %1 sec - + Request timed out @@ -2416,67 +2481,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: - + Browse - + Clear folder list - + Recover - + Recover the file to original location - + Recover && Explore - + Recover && Open/Run - + Open file recovery for this box - + Dismiss - + Don't recover this file right now - + Dismiss all from this box - + Disable quick recovery until the box restarts - + Select Directory @@ -2608,37 +2673,42 @@ Full path: %4 - + Select Directory - + + No Files selected! + + + + Do you really want to delete %1 selected files? - + Close until all programs stop in this box - + Close and Disable Immediate Recovery for this box - + There are %1 new files available to recover. - + Recovering File(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. @@ -2794,22 +2864,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 - + Deleting folder: %1 - + Merging folders: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... @@ -2817,67 +2887,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled - + OPEN Root Access - + Application Compartment - + NOT SECURE - + Reduced Isolation - + Enhanced Isolation - + Privacy Enhanced - + No INet (with Exceptions) - + No INet - + Net Share - + No Admin - + Auto Delete - + Normal @@ -2891,22 +2961,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + Reset Columns - + Copy Cell - + Copy Row - + Copy Panel @@ -3169,7 +3239,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus @@ -3253,9 +3323,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. @@ -3345,19 +3415,19 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a - - - + + + Sandboxie-Plus - Error - + Failed to stop all Sandboxie components - + Failed to start required Sandboxie components @@ -3394,7 +3464,7 @@ No will choose: %2 - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> @@ -3449,132 +3519,132 @@ No will choose: %2 - + Only Administrators can change the config. - + Please enter the configuration password. - + Login Failed: %1 - + Do you want to terminate all processes in all sandboxes? - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. - + Executing maintenance operation, please wait... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? - + The changes will be applied automatically whenever the file gets saved. - + The changes will be applied automatically as soon as the editor is closed. - + Error Status: 0x%1 (%2) - + Unknown - + A sandbox must be emptied before it can be deleted. - + Failed to copy box data files - + Failed to remove old box data files - + Unknown Error Status: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - + Sandboxed - + Unsandboxed - + Case Sensitive - + RegExp - + Highlight - + Close - + &Find ... - + All columns - + Administrator rights are required for this operation. @@ -3810,27 +3880,27 @@ Please check if there is an update for sandboxie. - - + + (%1) - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> @@ -3911,126 +3981,126 @@ Please check if there is an update for sandboxie. - + Failed to configure hotkey %1, error: %2 - + The box %1 is configured to use features exclusively available to project supporters. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The selected feature requires an <b>advanced</b> supporter certificate. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! - + The Certificate is not suitable for this product. - + The Certificate is node locked. - + The support certificate is not valid. Error: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! - - + + Don't ask in future - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - + Please enter the duration, in seconds, for disabling Forced Programs rules. - + No Recovery - + No Messages - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. - + Maintenance operation failed (%1) - + Maintenance operation completed - + In the Plus UI, this functionality has been integrated into the main sandbox list view. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4038,245 +4108,245 @@ This file is part of Sandboxie and all changed done to it will be reverted next - + Sandboxie config has been reloaded - + Failed to execute: %1 - + Failed to connect to the driver - + Failed to communicate with Sandboxie Service: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 - + Can't find Sandboxie installation path. - + Failed to copy configuration from sandbox %1: %2 - + A sandbox of the name %1 already exists - + Failed to delete sandbox %1: %2 - + The sandbox name can not be longer than 32 characters. - + The sandbox name can not be a device name. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. - + Failed to terminate all processes - + Delete protection is enabled for the sandbox - + All sandbox processes must be stopped before the box content can be deleted - + Error deleting sandbox folder: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. - + Failed to move directory '%1' to '%2' - + Failed to move box image '%1' to '%2' - + This Snapshot operation can not be performed while processes are still running in the box. - + Failed to create directory for new snapshot - + Snapshot not found - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. - + Failed to remove old snapshot directory '%1' - + Can't remove a snapshot that is shared by multiple later snapshots - + You are not authorized to update configuration in section '%1' - + Failed to set configuration setting %1 in section %2: %3 - + Can not create snapshot of an empty sandbox - + A sandbox with that name already exists - + The config password must not be longer than 64 characters - + The operation was canceled by the user - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted - + %1 - + Import/Export not available, 7z.dll could not be loaded - + Failed to create the box archive - + Failed to open the 7z archive - + Failed to unpack the box archive - + The selected 7z file is NOT a box archive - + Operation failed for %1 item(s). - + Remember choice for later. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> - + The supporter certificate is not valid for this build, please get an updated certificate - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate - + , but it remains valid for the current build - + The supporter certificate will expire in %1 days, please get an updated certificate @@ -4554,38 +4624,38 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieTemplatesEx - + Failed to initialize COM - + Failed to create update session - + Failed to create update searcher - + Failed to set search options - + Failed to enumerate installed Windows updates Failed to search for updates - + Failed to retrieve update list from search result - + Failed to get update count @@ -4593,624 +4663,609 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieView - - + + Create New Box - + Remove Group - - + + Run - + Run Program - + Run from Start Menu - + Default Web Browser - + Default eMail Client - + Windows Explorer - + Registry Editor - + Programs and Features - + Terminate All Programs - - - - - + + + + + Create Shortcut - - + + Explore Content - - + + Snapshots Manager - + Recover Files - - + + Delete Content - + Sandbox Presets - + Ask for UAC Elevation - + Drop Admin Rights - + Emulate Admin Rights - + Block Internet Access - + Allow Network Shares - + Sandbox Options - + Standard Applications - + Browse Files - - + + Sandbox Tools - + Duplicate Box Config - - - - Rename Sandbox - - + Rename Sandbox + + + + + Move Sandbox - - + + Remove Sandbox - - + + Terminate - + Preset - - + + Pin to Run Menu - + Block and Terminate - + Allow internet access - + Force into this sandbox - + Set Linger Process - + Set Leader Process - + File root: %1 - + Registry root: %1 - + IPC root: %1 - + Options: - + [None] - + Please enter a new group name - + Do you really want to remove the selected group(s)? - - - - Create Box Group - - - - - Rename Group - - - - - - Stop Operations - - - - - Command Prompt - - - - - Command Prompt (as Admin) - - - - - Command Prompt (32-bit) - - - - - Execute Autorun Entries - - - - - Browse Content - - - - - Box Content - - - - - Open Registry - - - - - - Refresh Info - - + Create Box Group + + + + + Rename Group + + + + + + Stop Operations + + + + + Command Prompt + + + + + Command Prompt (as Admin) + + + + + Command Prompt (32-bit) + + + + + Execute Autorun Entries + + + + + Browse Content + + + + + Box Content + + + + + Open Registry + + + + + + Refresh Info + + + + + Import Box - - + + (Host) Start Menu - - - - Mount Box Image - - + Mount Box Image + + + + + Unmount Box Image - + Immediate Recovery - + Disable Force Rules - + Export Box - - + + Move Up - - + + Move Down - + Suspend - + Resume - + Run Web Browser - + Run eMail Reader - + Run Any Program - + Run From Start Menu - + Run Windows Explorer - + Terminate Programs - + Quick Recover - + Sandbox Settings - + Duplicate Sandbox Config - + Export Sandbox - + Move Group - + Disk root: %1 - + Please enter a new name for the Group. - + Move entries by (negative values move up, positive values move down): - + A group can not be its own parent. - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - - This name is already in use, please select an alternative box name - - - - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. - + This name is already used for a Box Group. - + This name is already used for a Sandbox. - - - + + + Don't show this message again. - - - + + + This Sandbox is empty. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. - + Don't show this warning in future - + Please enter a new name for the duplicated Sandbox. - + %1 Copy - - + + Select file name - - - 7-zip Archive (*.7z) + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) - + Exporting: %1 - + Please enter a new name for the Sandbox. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? - + This Sandbox is already empty. - - + + Do you want to delete the content of the selected sandbox? - - + + Also delete all Snapshots - + Do you really want to delete the content of all selected sandboxes? - + Do you want to terminate all processes in the selected sandbox(es)? - - + + Terminate without asking - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. - - + + Create Shortcut to sandbox %1 - + Do you want to terminate %1? Do you want to %1 %2? - + the selected processes - + This box does not have Internet restrictions in place, do you want to enable them? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? @@ -5255,584 +5310,584 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings - + Auto Detection - + No Translation - - - - Don't integrate links - - - As sub group + Don't integrate links + As sub group + + + + + Fully integrate - + Don't show any icon Don't integrate links - + Show Plus icon - + Show Classic icon - + All Boxes - + Active + Pinned - + Pinned Only - + Close to Tray - + Prompt before Close - + Close - + None - + Native - + Qt - + Every Day - + Every Week - + Every 2 Weeks - + Every 30 days - + Ignore - + %1 %1 % - + HwId: %1 - + Search for settings - - - + + + Run &Sandboxed - + kilobytes (%1) - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Expires in: %1 days Expires: %1 Days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Contributor - + Eternal - + Business - + Personal - + Great Patreon - + Patreon - + Family - + Evaluation - + Type %1 - + Advanced - + Advanced (L) - + Max Level - + Level %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. - + This certificate has unfortunately expired, you need to get a new certificate. - + Sandboxed Web Browser - - - - Notify - - - Download & Notify + Notify + Download & Notify + + + + + Download & Install - + Browse for Program - + Add %1 Template - + Select font - + Reset font - + %0, %1 pt - + Please enter message - + Select Program - + Executables (*.exe *.cmd) - - + + Please enter a menu title - + Please enter a command - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> - + <br />Plus features are no longer enabled. - + Expired: %1 days ago - - + + Retrieving certificate... - + Home - + Run &Un-Sandboxed - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Thank you for supporting the development of Sandboxie-Plus. - + Update Available - + Installed - + by %1 - + (info website) - + This Add-on is mandatory and can not be removed. - - + + Select Directory - + <a href="check">Check Now</a> - + Please enter the new configuration password. - + Please re-enter the new configuration password. - + Passwords did not match, please retry. - + Process - + Folder - + Please enter a program file name - + Please enter the template identifier - + Error: %1 - + Do you really want to delete the selected local template(s)? - + %1 (Current) @@ -6072,34 +6127,34 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. - + Save options as new defaults - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) - + This Sandbox will be saved to: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6107,19 +6162,19 @@ This box's content will be DISCARDED when its closed, and the box will be r - + This box will DISCARD its content when its closed, its suitable only for temporary data. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6127,13 +6182,13 @@ This box will run the MSIServer (*.msi installer service) with a system token, t - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6141,7 +6196,7 @@ Processes in this box will be running with a custom process token indicating the - + Failed to create new box: %1 @@ -6768,33 +6823,68 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + + + + + Import without encryption @@ -6821,354 +6911,355 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for - + Sandboxed window border: - + Double click action: - + Separate user folders - + Box Structure - + Security Options - + Security Hardening - - - - - - + + + + + + + Protect the system from sandboxed processes - + Elevation restrictions - + Drop rights from Administrators and Power Users groups - + px Width - + Make applications think they are running elevated (allows to run installers safely) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. - + Appearance - + (Recommended) - + Show this box in the 'run in box' selection prompt - + File Options - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates - + Copy file size limit: - + Box Delete options - + Protect this sandbox from deletion or emptying - - + + File Migration - + Allow elevated sandboxed applications to read the harddrive - + Warn when an application opens a harddrive handle - + kilobytes - + Issue message 2102 when a file is too large - + Prompt user for large file migration - + Allow the print spooler to print to files outside the sandbox - + Remove spooler restriction, printers can be installed outside the sandbox - + Block read access to the clipboard - + Open System Protected Storage - + Block access to the printer spooler - + Other restrictions - + Printing restrictions - + Network restrictions - + Block network files and folders, unless specifically opened. - + Run Menu - + You can configure custom entries for the sandbox run menu. - - - - - - - - - - - - - + + + + + + + + + + + + + Name - + Command Line - + Add program - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove - - - - - - - + + + + + + + Type - + Program Groups - + Add Group - - - - - + + + + + Add Program - + Force Folder - - - + + + Path - + Force Program - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. - + General Configuration - + Box Type Preset: - + Box info - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. @@ -7178,295 +7269,316 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for - + Open Windows Credentials Store (user mode) - + Prevent change to network and firewall parameters (user mode) - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. - - + + Stop Behaviour - + Start Restrictions - + Issue message 1308 when a program fails to start - + Allow only selected programs to start in this sandbox. * - + Prevent selected programs from starting in this sandbox. - + Allow all programs to start in this sandbox. - + * Note: Programs installed to this sandbox won't be able to start at all. - + Process Restrictions - + Issue message 1307 when a program is denied internet access - + Prompt user whether to allow an exemption from the blockade. - + Note: Programs installed to this sandbox won't be able to access the internet at all. - - - - - - + + + + + + Access - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty - + Disk/File access - + Encrypt sandbox content - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + Partially checked means prevent box removal but not content deletion. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Store the sandbox content in a Ram Disk - + Set Password - + Virtualization scheme - + + Allow sandboxed processes to open files protected by EFS + + + + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only - + Issue message 2113/2114/2115 when a file is not fully migrated - + Add Pattern - + Remove Pattern - + Pattern - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. - + Using wildcard patterns file specific behavior can be configured in the list below: - + When a file cannot be migrated, open it in read-only mode instead - - + + Open access to Proxy Configurations + + + + + Move Up - - + + Move Down - + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Security Isolation - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. - + Disable Security Isolation - + Access Isolation - - + + Box Protection - + Protect processes within this box from host processes - + Allow Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Deny Process - + Use a Sandboxie login instead of an anonymous token - + Configure which processes can access Desktop objects like Windows and alike. - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Image Protection - + Issue message 1305 when a program tries to load a sandboxed dll - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox - + Dlls && Extensions - + Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -7474,981 +7586,987 @@ This is done to prevent rogue processes inside the sandbox from creating a renam - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. - + Advanced Security Adcanced Security - + Other isolation - + Privilege isolation - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. - + Program Control - + Force Programs - + Disable forced Process and Folder for this sandbox - + Breakout Programs - + Breakout Program - + Breakout Folder - + Force protection on mount - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Allow useful Windows processes access to protected processes - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + Isolation - + Only Administrator user accounts can make changes to this sandbox - + Job Object - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Create a new sandboxed token instead of stripping down the original token - + Drop ConHost.exe Process Integrity Level - + Force Children - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + Lingering Programs - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. - + Leader Programs - + If leader processes are defined, all others are treated as lingering processes. - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Files - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + Registry - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. - + Wnd - + Wnd Class - + COM - + Class Id - + Configure which processes can access COM objects. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) - + Access Policies - + Network Options - + Set network/internet access for unlisted processes: - + Test Rules, Program: - + Port: - + IP: - + Protocol: - + X - + Add Rule - - - - - - - - - - + + + + + + + + + + Program - - - - + + + + Action - - + + Port - - - + + + IP - + Protocol - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. - + Resource Access - + Add File/Folder - + Add Wnd Class - + Add IPC Path - + Use the original token only for approved NT system calls - + Enable all security enhancements (make security hardened box) - + Restrict driver/device access to only approved ones - + Security enhancements - + Issue message 2111 when a process access is denied - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + Sandboxie token - + Add Reg Key - + Add COM Object - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Resolve hostnames via proxy - + Other Options - + Port Blocking - + Block common SAMBA ports - + Block DNS, UDP port 53 - + File Recovery - + Quick Recovery - + Add Folder - + Immediate Recovery - + Ignore Extension - + Ignore Folder - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. - + Advanced Options - + Miscellaneous - + Don't alter window class names created by sandboxed programs - + Do not start sandboxed services using a system token (recommended) - - - - - - - + + + + + + + Protect the sandbox integrity itself - + Drop critical privileges from processes running with a SYSTEM token - - + + (Security Critical) - + Protect sandboxed SYSTEM processes from unprivileged processes - + Force usage of custom dummy Manifest files (legacy behaviour) - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. - + Prioritize rules based on their Specificity and Process Match Level - + Privacy Mode, block file and registry access to all locations except the generic system ones - + Access Mode - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. - + Rule Policies - + Apply File and Key Open directives only to binaries located outside the sandbox. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) - + Allow only privileged processes to access the Service Control Manager - - + + Compatibility - + Add sandboxed processes to job objects (recommended) - + Emulate sandboxed window station for all processes - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. - + Allow sandboxed programs to manage Hardware/Devices - + Open access to Windows Security Account Manager - + Open access to Windows Local Security Authority - + Allow to read memory of unsandboxed processes (not recommended) - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) - + Security Isolation & Filtering - + Disable Security Filtering (not recommended) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. - + The below options can be used safely when you don't grant admin rights. - + Triggers - + Event - - - - + + + + Run Command - + Start Service - + These events are executed each time a box is started - + On Box Start - - + + These commands are run UNBOXED just before the box content is deleted - + Allow use of nested job objects (works on Windows 8 and later) - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. - + On Box Init - + Here you can specify actions to be executed automatically on various box events. - + Add Process - + Hide host processes from processes running in the sandbox. - + Restrictions - + Various Options - + Apply ElevateCreateProcess Workaround (legacy behaviour) - + Use desktop object workaround for all processes - + This command will be run before the box content will be deleted - + On File Recovery - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked - + Run File Checker - + On Delete Content - + Don't allow sandboxed processes to see processes running in other boxes - + Protect processes in this box from being accessed by specified unsandboxed host processes. - - + + Process - + Users - + Restrict Resource Access monitor to administrators only - + Add User - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. - + Add Option - + Bypass IPs - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. - + Option - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + Tracing - + Pipe Trace - + API call Trace (traces all SBIE hooks) - + Log all SetError's to Trace log (creates a lot of output) - + Log Debug Output to the Trace Log - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8460,228 +8578,228 @@ instead of "*". - + File Trace - + Disable Resource Access Monitor - + IPC Trace - + GUI Trace - + Resource Access Monitor - + Access Tracing - + COM Class Trace - + Key Trace - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. - - + + Network Firewall - + Debug - + WARNING, these options can disable core security guarantees and break sandbox security!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. - + App Templates - + Filter Categories - + Text Filter - + Add Template - + This list contains a large amount of sandbox compatibility enhancing templates - + Category - + Template Folders - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. - - + + Value - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Total Processes Memory Limit: - + Single Process Memory Limit: - + Restart force process before they begin to execute - + On Box Terminate - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + DNS Request Logging - + Syscall Trace (creates a lot of output) - + Templates - + Open Template - + Accessibility - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. - + Edit ini Section - + Edit ini - + Cancel - + Save @@ -8697,7 +8815,7 @@ Please note that this values are currently user specific and saved globally for ProgramsDelegate - + Group: %1 @@ -8705,7 +8823,7 @@ Please note that this values are currently user specific and saved globally for QObject - + Drive %1 @@ -8713,27 +8831,27 @@ Please note that this values are currently user specific and saved globally for QPlatformTheme - + OK - + Apply - + Cancel - + &Yes - + &No @@ -8746,7 +8864,7 @@ Please note that this values are currently user specific and saved globally for - + Close @@ -8766,27 +8884,27 @@ Please note that this values are currently user specific and saved globally for - + Recover - + Refresh - + Delete - + Show All Files - + TextLabel @@ -8852,18 +8970,18 @@ Please note that this values are currently user specific and saved globally for - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes - + Open urls from this ui sandboxed - + Systray options @@ -8873,107 +8991,107 @@ Please note that this values are currently user specific and saved globally for - + Shell Integration - + Run Sandboxed - Actions - + Start Sandbox Manager - + Start UI when a sandboxed process is started - + Start UI with Windows - + Add 'Run Sandboxed' to the explorer context menu - + Run box operations asynchronously whenever possible (like content deletion) - + Hotkey for terminating all boxed processes: - + Show boxes in tray list: - + Always use DefaultBox - + Add 'Run Un-Sandboxed' to the context menu - + Show a tray notification when automatic box operations are started - + * a partially checked checkbox will leave the behavior to be determined by the view mode. - + Advanced Config - + Activate Kernel Mode Object Filtering - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: - + Clear password when main window becomes hidden - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: - + Sandbox default - + Config protection - + ... @@ -8983,286 +9101,286 @@ Please note that this values are currently user specific and saved globally for - + Notifications - + Add Entry - + Show file migration progress when copying large files into a sandbox - + Message ID - + Message Text (optional) - + SBIE Messages - + Delete Entry - + Notification Options - + Windows Shell - + Move Up - + Move Down - + Show overlay icons for boxes and processes - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list - - + + Interface Options Display Options - + Ini Editor Font - + Graphic Options - + Select font - + Reset font - + Ini Options - + # - + External Ini Editor - + Add-Ons Manager - + Optional Add-Ons - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - + Status - + Version - + Description - + <a href="sbie://addons">update add-on list now</a> - + Install - + Add-On Configuration - + Enable Ram Disk creation - + kilobytes - + Disk Image Support - + RAM Limit - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Sandboxie Support - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) - + Get - + Retrieve/Upgrade/Renew certificate using Serial Number - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. - + SBIE_-_____-_____-_____-_____ - + Update Settings - + Update Check Interval - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: - + Sandboxing features - + Sandboxie.ini Presets - + Change Password - + Password must be entered in order to make changes - + Only Administrator user accounts can make changes - + Watch Sandboxie.ini for changes - + App Templates - + App Compatibility - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command - + Portable root folder - + Show recoverable files as notifications @@ -9272,540 +9390,550 @@ Please note that this values are currently user specific and saved globally for - + Show Icon in Systray: - + Use Windows Filtering Platform to restrict network access - + Hook selected Win32k system calls to enable GPU acceleration (experimental) - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox - + Use Compact Box List - + Interface Config - + Make Box Icons match the Border Color - + Use a Page Tree in the Box Options instead of Nested Tabs * - + Use large icons in box list * - + High DPI Scaling - + Don't show icons in menus * - + Use Dark Theme - + Font Scaling - + (Restart required) - + Show the Recovery Window as Always on Top - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* - + % - + Alternate row background in lists - + Use Fusion Theme - - - - - + + + + + Name - + Path - + Remove Program - + Add Program - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. - + Add Folder - + Prevent the listed programs from starting on this system - + Issue message 1308 when a program fails to start - + Recovery Options - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - + Start Menu Integration - + Scan shell folders and offer links in run menu - + Integrate with Host Start Menu - + Use new config dialog layout * - + Program Control - + Program Alerts - + Issue message 1301 when forced processes has been disabled - + Sandboxie Config Config Protection - + This option also enables asynchronous operation when needed and suspends updates. - + Suppress pop-up notifications when in game / presentation mode - + User Interface - + Run Menu - + Add program - + You can configure custom entries for all sandboxes run menus. - - - + + + Remove - + Command Line - + Hotkey for bringing sandman to the top: - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Integrate with Host Desktop - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + System Tray - + On main window close: - + Open/Close from/to tray with a single click - + Minimize to tray - + Hide SandMan windows from screen capture (UI restart required) - + Assign drive letter to Ram Disk - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + Support && Updates - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + HwId: 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits - + Cert Info - + Sandboxie Updater - + Keep add-on list up to date - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. - + Search in the Insider channel - + New full installers from the selected release channel. - + Full Upgrades - + Check periodically for new Sandboxie-Plus versions - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> - + Keep Troubleshooting scripts up to date - + Default sandbox: - + Use a Sandboxie login instead of an anonymous token - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Always run SandMan UI as Admin - + USB Drive Sandboxing - + Volume - + Information - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + In the future, don't check software compatibility - + Enable - + Disable - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. - + Local Templates - + Add Template - + Text Filter - + This list contains user created custom templates for sandbox options - + Open Template - + Edit ini Section - + Save - + Edit ini - + Cancel - + Incremental Updates Version Updates - + Hotpatches for the installed version, updates to the Templates.ini and translations. - + The preview channel contains the latest GitHub pre-releases. - + The stable channel contains the latest stable GitHub releases. - + Search in the Stable channel - + Search in the Preview channel - + In the future, don't notify about certificate expiration - + Enter the support certificate here @@ -9828,37 +9956,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + Description: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. - + Default snapshot - + Snapshot Actions - + Remove Snapshot - + Go to Snapshot - + Take Snapshot diff --git a/SandboxiePlus/SandMan/sandman_es.ts b/SandboxiePlus/SandMan/sandman_es.ts index e93c53df..8dff6b25 100644 --- a/SandboxiePlus/SandMan/sandman_es.ts +++ b/SandboxiePlus/SandMan/sandman_es.ts @@ -9,53 +9,53 @@ Formulario - + kilobytes kilobytes - + Protect Box Root from access by unsandboxed processes Proteger raíz de caja del acceso por proceso no aislado - - + + TextLabel EtiquetaTexto - + Show Password Mostrar contraseña - + Enter Password Introduzca contraseña - + New Password Nueva contraseña - + Repeat Password Repite contraseña - + Disk Image Size Tamaño imagen disco - + Encryption Cipher Algoritmo de cifrado - + Lock the box when all processes stop. Bloquear la caja cuando se paren todos los procesos. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? ¿Desea descargar e instalar %1? - + Installing: %1 Instalando: %1 - + Add-on not found, please try updating the add-on list in the global settings! Extensión no encontrada, ¡pruebe a actualizar la lista de extensiones en la configuración global! - + Add-on Not Found Extensión no encontrada - + Add-on is not available for this platform Addon is not available for this paltform Extensión no disponible para esta plataforma - + Missing installation instructions Missing instalation instructions Faltan instrucciones de instalación - + Executing add-on setup failed Falló la ejecución de la instalación de la extensión - + Failed to delete a file during add-on removal Error al borrar un archivo durante la eliminación de la extensión - + Updater failed to perform add-on operation Updater failed to perform plugin operation Actualizador falló al realizar operación de extensión - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 Actualizador falló al realizar operación de extensión, error: %1 - + Do you want to remove %1? ¿Desea eliminar %1? - + Removing: %1 Eliminando: %1 - + Add-on not found! ¡No se ha encontrado la extensión! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Opciones de Sandbox avanzadas - + On this page advanced sandbox options can be configured. En esta página se pueden configurar opciones avanzadas de la sandbox. @@ -189,44 +189,44 @@ Usar un acceso de Sandboxie en vez de un token anónimo - + Advanced Options Opciones Avanzadas - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Impedir que los programas aislados del ordenador carguen DLLs aislados - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. Esta característica puede reducir compatibilidad, ya que también evita que los procesos ubicados en la caja escriban en los ubicados en el ordenador e incluso los inicien. - + Prevent sandboxed windows from being captured Impedir que las ventanas aisladas sean capturadas - + This feature can cause a decline in the user experience because it also prevents normal screenshots. Esta característica puede empeorar la experiencia de usuario porque también evita las capturas de pantalla normales. - + Shared Template Plantilla Compartida - + Shared template mode Modo de Plantilla Compartida - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -237,30 +237,40 @@ Para cambiar los ajustes de la plantilla, simplemente localiza la plantilla &apo Para desactivar esta plantilla para una sandbox, simplemente desmárcala en la lista de plantillas. - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. Este ajuste no añade ninguna configuración a la configuración de la caja y no elimina la configuración predeterminada de la caja basada en los ajustes de eliminación dentro de la plantilla. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. Este ajuste agrega la plantilla compartida a la configuración de la caja como una plantilla local y también puede eliminar la configuración predeterminada de la caja en función de los ajustes de eliminación dentro de la plantilla. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. Este ajuste agrega la configuración de la plantilla compartida a la configuración de la caja como una plantilla local y también puede eliminar la configuración predeterminada de la caja en función de los ajustes de eliminación dentro de la plantilla. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. Este ajuste no añade ninguna configuración a la configuración de la caja, pero puede eliminar la configuración predeterminada de la caja en función de los ajustes de eliminación dentro de la plantilla. - + Remove defaults if set Eliminar valores predeterminados si establecidos + + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. @@ -271,17 +281,17 @@ Para cambiar los ajustes de la plantilla, simplemente ubica y edita la plantilla Para deshabilitar esta plantilla para un sandbox, simplemente desmárcala en la lista de plantillas. - + Disabled Deshabilitado - + Use as a template Usar como plantilla - + Append to the configuration Anexar a la configuración @@ -395,17 +405,17 @@ Para deshabilitar esta plantilla para un sandbox, simplemente desmárcala en la Introduzca contraseñas de encriptación para importación de archivo: - + kilobytes (%1) kilobytes (%1) - + Passwords don't match!!! ¡Las contraseñas no coinciden! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -414,7 +424,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are Es recomendable elegir una contraseña de 20 o más caracteres. ¿Está seguro de querer usar una contraseña corta? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -423,7 +433,7 @@ Esta longitud permite aproximadamente 384 bits de entropía con una frase de con aumenta a 512 bits con la aplicación de modificaciones en el lenguaje Leet (L337), y excede los 768 bits cuando está compuesta totalmente por caracteres ASCII imprimibles completamente aleatorios. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. La imagen de disco de la caja debe ser de al menos 256 MB de tamaño, 2GB son recomendados. @@ -439,22 +449,22 @@ aumenta a 512 bits con la aplicación de modificaciones en el lenguaje Leet (L33 CBoxTypePage - + Create new Sandbox Crear nueva Sandbox - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. Una sandbox aísla su sistema de los procesos ejecutados dentro de la caja, previene que estos hagan cambios permanentes en otros programas y en datos de tu ordenador. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Una sandbox aísla su sistema de los procesos ejecutados dentro de la caja, previene que estos hagan cambios permanentes en otros programas y en datos de tu ordenador. El nivel de aislamiento afecta su seguridad, así como la compatibilidad con las aplicaciones, por lo tanto, habrá un nivel diferente de aislamiento dependiendo del tipo de caja seleccionado. Sandboxie también puede proteger sus datos personales de ser accedidos por procesos que se ejecutan bajo su supervisión. - + Enter box name: Introduzca nombre de la caja: @@ -463,17 +473,17 @@ aumenta a 512 bits con la aplicación de modificaciones en el lenguaje Leet (L33 Nueva Sandbox - + Select box type: Elija tipo de caja: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Sandbox con <a href="sbie://docs/security-mode">Seguridad Endurecida</a> y <a href="sbie://docs/privacy-mode">Protección de Datos</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -482,64 +492,64 @@ Limita estrictamente el acceso a los datos del usuario, permitiendo que los proc Todo el perfil del usuario permanece oculto, asegurando la máxima seguridad. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox Sandbox con <a href="sbie://docs/security-mode">Seguridad Endurecida</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Este tipo de caja ofrece el nivel más alto de protección al reducir significativamente la superficie de ataque expuesta a los procesos en entornos aislados. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Sandbox con <a href="sbie://docs/privacy-mode">Protección de Datos</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. En este tipo de caja, se impide que los procesos aislados accedan a cualquier archivo o dato personal del usuario. El enfoque se centra en proteger los datos del usuario y, como tal, solo los directorios C:\Windows y C:\Program Files son accesibles para los procesos que funcionan dentro de esta sandbox. Esto asegura que los archivos personales permanezcan seguros. - + Standard Sandbox Sandbox Estándar - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Este tipo de caja ofrece el comportamiento por defecto de Sandboxie clásico. Proporciona a los usuarios un esquema de aislamiento seguro y familiar. Las aplicaciones pueden ejecutarse dentro de este sandbox, asegurando que operen dentro de un espacio controlado y aislado. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> Caja de <a href="sbie://docs/compartment-mode">Compartimento de aplicación</a> con <a href="sbie://docs/privacy-mode">Protección de Datos</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Este tipo de caja prioriza la compatibilidad a la vez que proporciona un buen nivel de aislamiento. Está diseñado para ejecutar aplicaciones confiables dentro de compartimientos separados. Aunque el nivel de aislamiento es menor en comparación con otros tipos de cajas, ofrece una mejor compatibilidad con una amplia gama de aplicaciones, asegurando un funcionamiento fluido dentro del entorno aislado. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box Caja de <a href="sbie://docs/compartment-mode">Compartimento de aplicación</a> - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">Encripta</a> el contenido de la caja y establecer como <a href="sbie://docs/black-box">Confidencial</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -548,42 +558,42 @@ El acceso al disco virtual cuando está montado está restringido a los programa Esto garantiza el máximo nivel de privacidad y protección de datos dentro del entorno confidencial de la sandbox. - + Hardened Sandbox with Data Protection Sandbox endurecida con protección de datos - + Security Hardened Sandbox Sandbox con Seguridad Endurecida - + Sandbox with Data Protection Sandbox con Protección de Datos - + Standard Isolation Sandbox (Default) Sandbox Aislada Estándar (por defecto) - + Application Compartment with Data Protection Compartimiento de aplicación con Protección de Datos - + Application Compartment Box Caja de Compartimento de aplicación - + Confidential Encrypted Box Caja Confidencial Encriptada - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? Para usar cajas encriptadas necesita instalar el controlador ImDisk, ¿desea descargarlo e instalarlo? @@ -593,17 +603,17 @@ Esto garantiza el máximo nivel de privacidad y protección de datos dentro del Compartimiento de aplicación (sin aislamiento) - + Remove after use Borrar tras uso - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Tras la finalización del último proceso en la caja, todo los datos de la caja se borrarán y esta será eliminada. - + Configure advanced options Configurar opciones avanzadas @@ -895,36 +905,64 @@ Puede hacer clic en Finalizar para cerrar este asistente. Sandboxie-Plus - Exportar Sandbox - + + 7-Zip + + + + + Zip + + + + Store Sin comprimir - + Fastest Más rápida - + Fast Rápida - + Normal Normal - + Maximum Máxima - + Ultra Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + + + + + This name is already in use, please select an alternative box name + Este nombre ya está en uso, por favor seleccione un nombre alternativo de caja + + CFileBrowserWindow @@ -994,74 +1032,74 @@ Puede hacer clic en Finalizar para cerrar este asistente. CFilesPage - + Sandbox location and behavior Ubicación y comportamiento de la sandbox - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. En esta página se puede personalizar la ubicación y el comportamiento de la sandbox. Puedes usar %USER% para guardar la sandbox de cada usuario en su propia carpeta. - + Sandboxed Files Archivos aislados - + Select Directory Elegir Directorio - + Virtualization scheme Esquema de virtualización - + Version 1 Versión 1 - + Version 2 Versión 2 - + Separate user folders Separar carpetas de usuario - + Use volume serial numbers for drives Usar números de serie de volumen para las unidades - + Auto delete content when last process terminates Borrar contenido automáticamente cuando el último proceso finaliza - + Enable Immediate Recovery of files from recovery locations Habilitar Recuperación Inmediata de archivos en ubicaciones de recuperación - + The selected box location is not a valid path. La ubicación seleccionada de la caja no es una ruta válida. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? La ubicación seleccionada de la caja existe y no está vacía, es recomendable elegir una carpeta nueva o vacía. ¿Está seguro de usar una carpeta existente? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. La ubicación seleccionada de la caja no está en una unidad actualmente disponible. @@ -1199,83 +1237,83 @@ Puedes usar %USER% para guardar la sandbox de cada usuario en su propia carpeta. CIsolationPage - + Sandbox Isolation options Opciones de Aislamiento de Sandbox - + On this page sandbox isolation options can be configured. En esta página se pueden configurar las opciones de aislamiento de sandbox. - + Network Access Acceso a la red - + Allow network/internet access Permitir acceso a la red/Internet - + Block network/internet by denying access to Network devices Bloquear acceso a la red/Internet denegando acceso a los dispositivos de red - + Block network/internet using Windows Filtering Platform Bloquear acceso a la red/Internet usando la Plataforma de Filtrado de Windows - + Allow access to network files and folders Permitir acceso a archivos y carpetas en la red - - + + This option is not recommended for Hardened boxes Esta opción no es recomendada para cajas endurecidas - + Prompt user whether to allow an exemption from the blockade Preguntar al usuario si desea permitir una exención de la restricción - + Admin Options Opciones de administrador - + Drop rights from Administrators and Power Users groups Rebajar permisos de grupos Administradores y Usuarios Avanzados - + Make applications think they are running elevated Hacer creer a las aplicaciones que se ejecutan con privilegios elevados - + Allow MSIServer to run with a sandboxed system token Permitir a MSIServer ejecutarse con un token de sistema aislado - + Box Options Opciones de Sandbox - + Use a Sandboxie login instead of an anonymous token Usar un inicio de sesión de Sandboxie en vez de un token anónimo - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Usar un token personalizado de Sandboxie para aislar mejor las sandboxes individuales entre sí, y muestra en la columna de usuario de los administradores de tareas el nombre de la caja a la que pertenece el proceso. Algunas soluciones de seguridad de terceros pueden, sin embargo, tener problemas con tokens personalizados. @@ -1393,23 +1431,24 @@ Puedes usar %USER% para guardar la sandbox de cada usuario en su propia carpeta. El contenido de esta sandbox se colocará en un archivo contenedor encriptado, tenga en cuenta que cualquier corrupción de la cabecera del contenedor hará que todo su contenido sea permanentemente inaccesible. La corrupción puede ocurrir como resultado de una BSOD, un fallo en el hardware de almacenamiento o una aplicación maliciosa que sobrescriba archivos al azar. Esta característica se proporciona bajo una estricta política de <b>Sin Copia de Seguridad No hay Piedad</b>, USTED, el usuario, es responsable de los datos que introduzca en un entorno encriptado. <br /><br />SI ACEPTA TOMAR LA RESPONSABILIDAD COMPLETA DE SUS DATOS PRESIONE [SÍ], DE LO CONTRARIO PRESIONE [NO]. - + Add your settings after this line. Añada sus configuraciones después de esta línea. - + + Shared Template Plantilla Compartida - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. La nueva sandbox se ha creado usando el nuevo <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Esquema de Virtualización Versión 2</a>, si experimenta alguna incidencia inesperada con esta caja, por favor cambie al Esquema de Virtualización Versión 1 e informe del problema, la opción para cambiar este ajuste se encuentra en las Opciones de Caja en rl grupo Estructura de Caja. - + Don't show this message again. No mostrar de nuevo este mensaje. @@ -1425,7 +1464,7 @@ Puedes usar %USER% para guardar la sandbox de cada usuario en su propia carpeta. COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1434,123 +1473,123 @@ Do you still want to update? ¿Aún desea actualizar? - + Do you want to check if there is a new version of Sandboxie-Plus? ¿Desea verificar si existe una nueva version de Sandboxie-Plus? - + Don't show this message again. No mostrar de nuevo este mensaje. - + Checking for updates... Comprobando actualizaciones... - + server not reachable servidor no disponible - - + + Failed to check for updates, error: %1 Fallo al comprobar actualizaciones, error: %1 - + <p>Do you want to download the installer?</p> <p>¿Desea descargar el instalador?</p> - + <p>Do you want to download the updates?</p> <p>¿Desea descargar las actualizaciones?</p> - + Don't show this update anymore. No mostrar de nuevo esta actualización. - + Downloading updates... Descargando actualizaciones... - + invalid parameter parámetro inválido - + failed to download updated information error al descargar información actualizada - + failed to load updated json file error al cargar archivo json actualizado - + failed to download a particular file error al descargar un archivo particular - + failed to scan existing installation error al escanear la instalación existente - + updated signature is invalid !!! ¡la firma actualizada es inválida! - + downloaded file is corrupted el archivo descargado está corrupto - + internal error error interno - + unknown error error desconocido - + Failed to download updates from server, error %1 Fallo al descargar actualizaciones del servidor: error %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Actualizaciones para Sandboxie-Plus descargadas.</p><p>¿Desea aplicarlas? Si hay algunos programas corriendo aislados, serán finalizados</p> - + Downloading installer... Descargando instalador... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Un nuevo instalador de Sandboxie-Plus se ha descargado en la siguiente ubicación:</p><p><a href="%2">%1</a></p><p>¿Desea iniciar la instalación? Si hay algunos programas corriendo aislados, serán finalizados</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>¿Desea ir a la <a href="%1">página de información</a>?</p> - + Don't show this announcement in the future. No mostrar este anuncio en el futuro. @@ -1559,7 +1598,7 @@ Do you still want to update? <p>Hay una nueva version de Sandboxie-Plus disponible.<br /><font color='red'>Nueva version:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Hay una nueva versión de Sandboxie-Plus disponible.<br /><font color='red'><b>Nueva versión:</b></font> <b>%1</b></p> @@ -1568,7 +1607,7 @@ Do you still want to update? <p>Desea descargar la ultima version?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>¿Desea ir a la <a href="%1">página de descarga</a>?</p> @@ -1577,7 +1616,7 @@ Do you still want to update? No mostrar mas este mensaje. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1609,136 +1648,136 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl COptionsWindow - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' Opciones - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Activa el uso de ganchos win32 para procesos seleccionados. Nota: Primero necesitas activar el soporte de ganchos de llamadas al sistema win32k de manera global. - + Enable crash dump creation in the sandbox folder Habilitar al creación de volcados de error en la carpeta de la sandbox - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Siempre usar el arreglo ElevateCreateProcess, como se aplica ocasionalmente por el Asistente de Compatibilidad de Programas. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes Activa el comportamiento especial e inconsistente PreferExternalManifest, según sea necesario para algunas correcciones de Edge - + Set RpcMgmtSetComTimeout usage for specific processes Establecer el uso de RpcMgmtSetComTimeout para procesos específicos - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Realiza una llamada de apertura de escritura a un archivo que no se copiará, falla en lugar de volverlo de solo lectura. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. Hacer creer al proceso especificado de que tiene privilegios de administrador. - + Force specified processes to wait for a debugger to attach. Obliga a los procesos especificados a esperar a que se conecte un depurador. - + Sandbox file system root Raiz de sistema de archivos de la sandbox - + Sandbox registry root Raiz del registro de la sandbox - + Sandbox ipc root Raiz del ipc de la sandbox - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: Añadir opción especial: - - + + On Start Al comenzar - - - - - + + + + + Run Command Ejecutar comando - + Start Service Iniciar servicio - + On Init Al inicializar - + On File Recovery Al Recuperar Archivo - + On Delete Content Al Borrar Contenido - + On Terminate Al Finalizar - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1747,31 +1786,31 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Al eliminar - - - - - + + + + + Please enter the command line to be executed Por favor ingrese la linea de comandos a ser ejecutada - + Please enter a program file name to allow access to this sandbox Por favor introduzca un nombre de archivo de programa para permitir acceso a esta sandbox - + Please enter a program file name to deny access to this sandbox Por favor introduzca un nombre de archivo de programa para denegar acceso a esta sandbox - + Deny Denegar - + %1 (%2) %1 (%2) @@ -1851,127 +1890,127 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Compartimiento de aplicación - + Custom icon Icono personalizado - + Version 1 Versión 1 - + Version 2 Versión 2 - + Browse for Program Buscar programa - + Open Box Options Abrir Opciones de Caja - + Browse Content Explorar contenido - + Start File Recovery Iniciar Recuperación de Archivo - + Show Run Dialog Mostrar Diálogo de Ejecución - + Indeterminate Indeterminado - + Backup Image Header Respaldar Cabecera de Imagen - + Restore Image Header Restaurar Cabecera de Imagen - + Change Password Cambiar contraseña - - + + Always copy Siempre copiar - - + + Don't copy No copiar - - + + Copy empty Copia vacía - + The image file does not exist El archivo de imagen no existe - + The password is wrong La contraseña es incorrecta - + Unexpected error: %1 Error inesperado: %1 - + Image Password Changed Contraseña de Imagen Cambiada - + Backup Image Header for %1 Respaldo de Cabecera de Imagen para %1 - + Image Header Backuped Cabecera de Imagen Respaldada - + Restore Image Header for %1 Restaurar Cabecera de Imagen para %1 - + Image Header Restored Cabecera de Imagen Restaurada - - + + Browse for File Buscar archivo @@ -1982,62 +2021,62 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Buscar carpeta - + File Options Opciones de Archivo - + Grouping Agrupación - + Add %1 Template Añadir Plantilla %1 - + Search for options Buscar opciones - + Box: %1 Caja: %1 - + Template: %1 Plantilla: %1 - + Global: %1 Global: %1 - + Default: %1 Predeterminado: %1 - + This sandbox has been deleted hence configuration can not be saved. Esta sandbox ha sido eliminada por lo que la configuración no se puede guardar. - + Some changes haven't been saved yet, do you really want to close this options window? Algunos cambios aún no se han guardado, ¿desea realmente cerrar esta ventana de opciones? - + kilobytes (%1) kilobytes (%1) - + Select color Seleccionar color @@ -2046,7 +2085,7 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Por favor entre una ruta de programa - + Select Program Seleccionar Programa @@ -2055,7 +2094,7 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Ejecutables (*.exe *.cmd);;Todos los archivos (*.*) - + Please enter a service identifier Por vavor ingrese un identificador de servicio @@ -2064,28 +2103,28 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Programa - + Executables (*.exe *.cmd) Ejecutables (*.exe *.cmd) - - + + Please enter a menu title Por favor introduzca un título de menu - + Please enter a command Por favor ingrese un comando - - + + - - + + @@ -2098,7 +2137,7 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Por favor ingrese un nombre para el nuevo grupo - + Enter program: Ingrese programa: @@ -2108,46 +2147,72 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Por favor seleccione un grupo primero. - - + + Process Proceso - - + + Folder Carpeta - + Children - - - + + Document + + + + + + Select Executable File Elegir Archivo Ejecutable - - - + + + Executable Files (*.exe) Archivos Ejecutables (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? Forzar la entrada especificada probablemente rompa Windows, ¿estás seguro de que quieres continuar? - - + + Select Directory @@ -2306,13 +2371,13 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl Todos los archivos (*.*) - + - - - - + + + + @@ -2348,8 +2413,8 @@ Nota: La comprobación de actualización a menudo está atrasada respecto al úl - - + + @@ -2544,7 +2609,7 @@ Por favor, selecciona una carpeta que contenga este archivo. entrada: IP o Puerto no pueden estar vacíos - + Allow @@ -2617,12 +2682,12 @@ Por favor, selecciona una carpeta que contenga este archivo. CPopUpProgress - + Dismiss Descartar - + Remove this progress indicator from the list Eliminar este indicador de progreso del listado @@ -2630,42 +2695,42 @@ Por favor, selecciona una carpeta que contenga este archivo. CPopUpPrompt - + Remember for this process Recordar para este proceso - + Yes - + No No - + Terminate Finalizar - + Yes and add to allowed programs Sí y agregar a programas permitidos - + Requesting process terminated Proceso solicitante finalizado - + Request will time out in %1 sec Solicitud expira en %1 seg - + Request timed out Solicitud expirada @@ -2673,67 +2738,67 @@ Por favor, selecciona una carpeta que contenga este archivo. CPopUpRecovery - + Recover to: Recuperar a: - + Browse Navegar - + Clear folder list Limpiar lista de carpetas - + Recover Recuperar - + Recover the file to original location Recuperar la ubicación original del archivo - + Recover && Explore Recuperar && Explorar - + Recover && Open/Run Recuperar && Abrir/Ejecutar - + Open file recovery for this box Abrir la recuperación de archivo para esta sandbox - + Dismiss Descartar - + Don't recover this file right now No recuperar este archivo ahora - + Dismiss all from this box Descartar todo de esta sandbox - + Disable quick recovery until the box restarts Deshabilitar recuperación rápida hasta reinicio de sandbox - + Select Directory Seleccionar directorio @@ -2869,37 +2934,42 @@ Ruta completa: %4 - + Select Directory Seleccionar Directorio - + + No Files selected! + + + + Do you really want to delete %1 selected files? ¿Desea de verdad borrar %1 archivo(s) seleccionado(s)? - + Close until all programs stop in this box Cerrar hasta que todos los programas se detengan en esta caja - + Close and Disable Immediate Recovery for this box Cerrar y Deshabilitar Recuperación Inmediata para esta caja - + There are %1 new files available to recover. Hay %1 archivos nuevos disponibles para recuperar. - + Recovering File(s)... Recuperando Archivo(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Hay %1 archivo y %2 carpetas en la sandbox, ocupando %3 de espacio en disco. @@ -3093,22 +3163,22 @@ A diferencia del canal previo, no incluye cambios sin probar, potencialmente rom CSandBox - + Waiting for folder: %1 Esperando a carpeta: %1 - + Deleting folder: %1 Borrando carpeta: %1 - + Merging folders: %1 &gt;&gt; %2 Fusionando carpetas: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Terminando fusionado de instantánea... @@ -3116,7 +3186,7 @@ A diferencia del canal previo, no incluye cambios sin probar, potencialmente rom CSandBoxPlus - + Disabled Deshabilitado @@ -3129,32 +3199,32 @@ A diferencia del canal previo, no incluye cambios sin probar, potencialmente rom NO SECURO (Configuración de depuración) - + OPEN Root Access ABRIR Acceso Raíz - + Application Compartment Compartimiento de aplicación - + NOT SECURE NO SEGURO - + Reduced Isolation Aislamiento reducido - + Enhanced Isolation Aislamiento mejorado - + Privacy Enhanced Privacidad mejorada @@ -3163,32 +3233,32 @@ A diferencia del canal previo, no incluye cambios sin probar, potencialmente rom Log API - + No INet (with Exceptions) No INet (con Excepciones) - + No INet No INet - + Net Share Recurso Compartido de red - + No Admin No Admin - + Auto Delete Auto Borrar - + Normal Normal @@ -3253,22 +3323,22 @@ A diferencia del canal previo, no incluye cambios sin probar, potencialmente rom Instalación - + Reset Columns Reestablecer Columnas - + Copy Cell Copiar Celda - + Copy Row Copiar Fila - + Copy Panel Copiar Panel @@ -3553,7 +3623,7 @@ A diferencia del canal previo, no incluye cambios sin probar, potencialmente rom - + About Sandboxie-Plus Acerca de Sandboxie-Plus @@ -3798,175 +3868,175 @@ A diferencia del canal previo, no incluye cambios sin probar, potencialmente rom Ejecutando OnBoxTerminate: %1 - + Failed to configure hotkey %1, error: %2 Error al configurar tecla rápida %1, error: %2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. La caja %1 está configurada para usar funciones exclusivas disponibles para patrociandores del proyecto. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. La caja %1 está configurada para usar funciones que requieren un certificado de patrocinador <b>avanzado</b>. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Actualice su certificado</a> para desbloquear funciones avanzadas. - + The selected feature requires an <b>advanced</b> supporter certificate. La función seleccionada requiere un certificado de patrocinador <b>avanzado</b>. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />necesitas estar en el nivel Great Patreon o superior para desbloquear esta característica. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> El conjunto de características seleccionado solo está disponible para los patrocinadores del proyecto.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Conviértete en un patrocinador del proyecto</a> y recibe un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de patrocinador</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! El certificado que está intentando usar ha sido bloqueado, lo que significa que ha sido invalidado por alguna causa. ¡Cualquier intento de usarlo constituye una violación de sus términos de uso! - + The Certificate Signature is invalid! ¡La firma del certificado es inválida! - + The Certificate is not suitable for this product. El certificado no es apto para este producto. - + The Certificate is node locked. El certificado está bloqueado en el nodo. - + The support certificate is not valid. Error: %1 El certificado de patrocinador es inválido. Error: %1 - - + + Don't ask in future No preguntar en el futuro - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? ¿Desea realmente finalizar todos los procesos en sandboxes encriptadas, y desmontarlos? - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>ERROR:</b> El Administrador de Sandboxie-Plus (SandMan.exe) no tiene una firma válida (SandMan.exe.sig). Por favor, descargue una versión de confianza de la <a href="https://sandboxie-plus.com/go.php?to=sbie-get">página oficial de Descargas</a>. - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. Todos los procesos en una sandbox deben ser parados antes de que se pueda renombrar. - + Failed to move box image '%1' to '%2' Error al mover imagen de caja '%1' a '%2' - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted Los contenidos de una sandbox desmontada no se pueden borrar - + %1 %1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? ¿Desea abrir %1 en un navegador web aislado o no aislado? - + Sandboxed Aislado - + Unsandboxed No aislado - + Case Sensitive Sensible a mayúsculas y minúsculas - + RegExp RegExp - + Highlight Resaltar - + Close Cerrar - + &Find ... &Buscar ... - + All columns Todas las columnas - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>Acerca de Sandboxie-Plus</h3><p>Versión %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 Esta copia de Sandboxie-Plus está certificada para: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie-Plus es gratis para uso personal y no comercial. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus es una continuación de código abierto de Sandboxie.<br />Visite <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> para más información.<br /><br />%2<br /><br />Características: %3<br /><br />Instalación: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Iconos de <a href="https://icons8.com">icons8.com</a> @@ -4040,9 +4110,9 @@ Desea hacer la limpieza? - - - + + + Don't show this message again. No motrar este mensaje nuevamente. @@ -4111,19 +4181,19 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Auto eliminando %1 contenido - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Error - + Failed to stop all Sandboxie components Fallo al intentar detener todos los componentes de Sandboxie - + Failed to start required Sandboxie components Fallo al intentar iniciar los componentes requerido por Sandboxie @@ -4136,22 +4206,22 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Operación de mantenimiento Satisfactoria - + The supporter certificate is not valid for this build, please get an updated certificate El certificado de patrocinador no es válido para esta versión, por favor obtenga una certificado actualizado - + The supporter certificate has expired%1, please get an updated certificate El certificado de patrocinador ha expirado%1, por favor obtenga una certificado actualizado - + , but it remains valid for the current build , pero permanece válido para la versión actual - + The supporter certificate will expire in %1 days, please get an updated certificate El certificado de patrocinador expirará en %1 días, por favor obtenga una certificado actualizado @@ -4168,7 +4238,7 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a No hay ninguna actualización de certificado. - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> La característica seleccionadad esta solo disponible a los patrocinadores del proyecto. Procesos comenzados en esta caja con esta característica habilitada sin un certificado de patrocinador serí terminada luego de 5 minutos.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Conviertase en un patrocinador del proyecto</a>, y obtenga un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de patrocinador</a> @@ -4230,115 +4300,115 @@ Por favor, verifique si hay una actualización para Sandboxie. ¿Desea omitir el asistente de instalación? - + The evaluation period has expired!!! The evaluation periode has expired!!! ¡El periodo de evaluación ha expirado! - + Please enter the duration, in seconds, for disabling Forced Programs rules. Por favor ingrese la duración, en segundos, para deshabilitar las reglas de programas forzados. - + No Recovery Sin Recuperación - + No Messages Sin Mensajes - + Maintenance operation failed (%1) Operación de mantenimiento fallida (%1) - + Maintenance operation completed Operación de mantenimiento completada - + In the Plus UI, this functionality has been integrated into the main sandbox list view. En la IU Plus, esta funcionalidad se ha integrado en el listado principal del sandbox. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Usando el menú contextual de caja/grupo, puedes mover cajas y grupos a otros grupos. También puedes usar arrastrar y soltar para mover los elementos. Además, puedes usar las teclas de flecha mientras mantienes presionada la tecla ALT para mover elementos hacia arriba y hacia abajo dentro de su grupo.<br />Puedes crear nuevas cajas y grupos desde el menú Sandbox. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. Estás a punto de editar el archivo Templates.ini, esto generalmente no se recomienda. Este archivo es parte de Sandboxie y todos los cambios realizados en él serán revertidos la próxima vez que se actualice Sandboxie. - + Sandboxie config has been reloaded La configuración de Sandboxie se ha recargado - + Error Status: 0x%1 (%2) Error de estado: 0x%1 (%2) - + Unknown Desconocido - + All sandbox processes must be stopped before the box content can be deleted Todos los procesos de la sandbox deben ser detenidos antes de que el contenido pueda ser eliminado - + Failed to copy box data files Fallo al copiar archivos de datos - + Failed to remove old box data files Error al eliminar archivos de caja antigua - + The operation was canceled by the user La operación fue cancelada por el usuario - + Import/Export not available, 7z.dll could not be loaded Importar/Exportar no disponible, 7z.dll no se pudo cargar - + Failed to create the box archive Error al crear el archivador de la caja - + Failed to open the 7z archive Error al abrir el archivador 7z - + Failed to unpack the box archive Error al desempaquetar el archivador de la caja - + The selected 7z file is NOT a box archive El archivo 7z seleccionado NO es un archivo de caja - + Unknown Error Status: 0x%1 Esatdo de error desconocido: 0x%1 @@ -4434,20 +4504,20 @@ NO seleccionará: %2 - NO conectado - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. El programa%1 iniciado en la caja%2 será terminado en 5 minutos, la caja fue configurada para uso de características disponibles sólo para patrocinadores del proyecto. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. La caja %1 está configurado para usar características disponibles exclusivamente a los patrocinadores del proyecto, estos ajustes se ignorarán. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Conviértase en patrocinador</a>, y obtenga un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de patrocinador</a> @@ -4512,22 +4582,22 @@ NO seleccionará: %2 - + Only Administrators can change the config. Solo Administradores pueden cambiar la configuracion. - + Please enter the configuration password. Por favor ingrese la contraseña de configuracion. - + Login Failed: %1 Login incorrecto: %1 - + Do you want to terminate all processes in all sandboxes? Desea terminar todos los procesos en todas las sandboxes? @@ -4540,32 +4610,32 @@ NO seleccionará: %2 Por favor ingrese la duración para deshabilitar los programas forzados. - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus fue iniciado en modo portable y necesita crear los servicios requeridos. Esto pedira permisos administrativos. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. PELIGRO: otro agente (probablemente SbieCtrl.exe) ya está administrando esta sesión de sandbox, por favor cierrela primero y reconectese para tomar el control. - + Executing maintenance operation, please wait... Ejecutando operación de mantenimiento, por favor espere... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Desea tambien reestablecer los mensajes ocultos (si), o solo todos los mensajes del log (no)? - + The changes will be applied automatically whenever the file gets saved. Los cambios serán aplicados automaticamente cuando el archivo sea guardado. - + The changes will be applied automatically as soon as the editor is closed. Los cambios seran aplicados automaticamente cuando cierre el editor. @@ -4574,77 +4644,77 @@ NO seleccionará: %2 Status Error: %1 - + Administrator rights are required for this operation. Permisos administrativos son necesarios para esta operacion. - + Failed to execute: %1 Fallo al ejecutar: %1 - + Failed to connect to the driver Fallo al conectar al controlador - + Failed to communicate with Sandboxie Service: %1 Fallo al comunicarse con el Servicio Sandboxie: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Una Sandboxie %1 incompatible fue encontrada. Versiones compatibles: %2 - + Can't find Sandboxie installation path. No se puede encontrar la ruta de instalación de Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Fallo al copiar la configuracin de la sandbox %1: %2 - + A sandbox of the name %1 already exists Una sandbox con el nombre %1 ya existe - + Failed to delete sandbox %1: %2 Fallo al eliminar la sandbox %1: %2 - + The sandbox name can not be longer than 32 characters. El nombre de la sandbox no puede ser mas largo que 32 caracteres. - + The sandbox name can not be a device name. El nombre de la sandbox no puede ser el nombre de un dispositivo. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. El nombre de la sandbox puede contener solo letras, digitos y guion bajo (se veran como espacios). - + Failed to terminate all processes Fallo al terminar todos los procesos - + Delete protection is enabled for the sandbox Protección de eliminación esta habilitado para esta sandbox - + Error deleting sandbox folder: %1 Error borrando la carpeta sandbox: %1 @@ -4653,42 +4723,42 @@ NO seleccionará: %2 Una sandbox debe ser vaciada antes de que pueda ser renombrada. - + A sandbox must be emptied before it can be deleted. Una sandbox debe ser vaciada antes de que pueda ser eliminada. - + Failed to move directory '%1' to '%2' Fallo al mover el directorio '%1' to '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Esta operación de Instantánea no se puede realizar mientras se estén ejecutando procesos en la sandbox. - + Failed to create directory for new snapshot Error al crear directorio para la nueva instantánea - + Snapshot not found Instantánea no encontrada - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Error al unir directorios de instantáneas '%1' con '%2', la instantánea no se ha unido completamente. - + Failed to remove old snapshot directory '%1' Error al eliminar directorio antiguo de instantáneas '%1' - + Can't remove a snapshot that is shared by multiple later snapshots No se puede eliminar una instantánea que es compartida por múltiples instantáneas posteriores @@ -4697,27 +4767,27 @@ NO seleccionará: %2 Fallo al remover viejo RegHive - + You are not authorized to update configuration in section '%1' No estas autorizado a actualizar la configuración en la sección '%1' - + Failed to set configuration setting %1 in section %2: %3 Fallo al setear configuración %1 en sección %2: %3 - + Can not create snapshot of an empty sandbox No es posible crear instantánea de una sandbox vacía - + A sandbox with that name already exists La sandbox con ese nombre ya existe - + The config password must not be longer than 64 characters La clave de configuración no debe ser mayor de 64 caracteres @@ -4726,7 +4796,7 @@ NO seleccionará: %2 Estado de Error Desconocido: %1 - + Operation failed for %1 item(s). La operación fallo para %1 item(s). @@ -4735,7 +4805,7 @@ NO seleccionará: %2 Desea abrir %1 en sandbox (si) o fuera de sandbox (no) navegador Web? - + Remember choice for later. Recordar selección para mas tarde. @@ -5077,38 +5147,38 @@ NO seleccionará: %2 CSbieTemplatesEx - + Failed to initialize COM Error al inicializar COM - + Failed to create update session Error al crear sesión de actualización - + Failed to create update searcher Error al crear buscador de actualizaciones - + Failed to set search options Error al configurar opciones de búsqueda - + Failed to enumerate installed Windows updates Failed to search for updates Error al enumerar las actualizaciones de Windows instaladas - + Failed to retrieve update list from search result Error al obtener la lista de actualizaciones del resultado de búsqueda - + Failed to get update count Error al obtener número de actualizaciones @@ -5116,8 +5186,8 @@ NO seleccionará: %2 CSbieView - - + + Create New Box Crear Nueva Caja @@ -5126,76 +5196,76 @@ NO seleccionará: %2 Agregar Grupo - + Remove Group Quitar Grupo - - + + Run Ejecutar - + Run Program Ejecutar Programa - + Run from Start Menu Ejecutar desde el Menú de Inicio - + Standard Applications Aplicaciones Estándar - - + + Mount Box Image Montar Imagen de Caja - - + + Unmount Box Image Desmontar Imagen de Caja - + Disable Force Rules Deshabilitar Reglas de Forzado - - + + Sandbox Tools Herramientas de Sandbox - + Duplicate Box Config Configuración de Caja Duplicada - + Export Box Exportar Caja - + Suspend Suspender - + Resume Continuar - + Run Web Browser Ejecutar Navegador Web @@ -5216,122 +5286,122 @@ NO seleccionará: %2 Ejecutar Cmd.exe como Admin - + Default Web Browser Navegador por defecto - + Default eMail Client Cliente de correo por defecto - + Windows Explorer Explorador de Windows - + Registry Editor Editor del Registro - + Programs and Features Programas y características - + Terminate All Programs Finalizar Todos los Programas - + Browse Files Buscar Archivos - - - - - + + + + + Create Shortcut Crear Atajo - - + + Explore Content Explorar Contenido - - + + Refresh Info Refrescar Información - - + + Snapshots Manager Administrador de Instantáneas - + Recover Files Recuperar Archivos - - + + (Host) Start Menu (Ordenador) Menú Inicio - - + + Delete Content Borrar Contenido - + Sandbox Presets Predefinidos de Sandbox - + Ask for UAC Elevation Solicitar Elevación UAC - + Drop Admin Rights Rebajar Permisos de Administrador - + Emulate Admin Rights Emular Permisos de Administrador - + Block Internet Access Bloquear Acceso a Internet - + Allow Network Shares Permitir Recursos Compartidos de red - + Sandbox Options Opciones de Sandbox - - + + Rename Sandbox Renombrar Sandbox @@ -5340,56 +5410,56 @@ NO seleccionará: %2 Mover a Grupo - - + + Remove Sandbox Eliminar Sandbox - - + + Terminate Finalizar - + Preset Predefinido - - + + Pin to Run Menu Anclar al Menú de Inicio - - + + Import Box Importar Caja - + Block and Terminate Bloquear y Terminar - + Allow internet access Permitir acceso a internet - + Force into this sandbox Forzar en esta Sandbox - + Set Linger Process Establecer Proceso Persistente - + Set Leader Process Establecer Proceso Lider @@ -5398,169 +5468,164 @@ NO seleccionará: %2 Ejecutar en Sandbox - + Run eMail Reader Ejecutar lector de eMail - + Run Any Program Ejecutar Cualquier Programa - + Run From Start Menu Ejecutar desde Menú Inicio - + Run Windows Explorer Ejecutar Explorador de Windows - + Terminate Programs Finalizar Programas - + Quick Recover Recuperación Rápida - + Sandbox Settings Opciones de Sandbox - + Duplicate Sandbox Config Configuración de Sandbox Duplicada - + Export Sandbox Exportar Sandbox - + Move Group Mover Grupo - + File root: %1 Raíz del archivo: %1 - + Registry root: %1 Raíz del registro: %1 - + IPC root: %1 Raíz IPC: %1 - + Disk root: %1 Raíz de disco: %1 - + Options: Opciones: - + [None] [Ninguno] - + Failed to open archive, wrong password? Error al abrir archivador, ¿contraseña incorrecta? - + Failed to open archive (%1)! ¡Error al abrir archivador (%1)! - This name is already in use, please select an alternative box name - Este nombre ya está en uso, por favor seleccione un nombre alternativo de caja + Este nombre ya está en uso, por favor seleccione un nombre alternativo de caja - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 Importando: %1 - + Please enter a new group name Por favor ingrese un nuevo nombre de grupo - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you want to terminate %1? ¿Desea terminar %1? - + Do you really want to remove the selected group(s)? ¿Desea realmente eliminar el/los grupo/s seleccionado(s)? - - + + Create Box Group Crear un grupo de cajas - + Rename Group Renombrar grupo - - + + Stop Operations Detener operaciones - + Command Prompt Línea de comandos @@ -5569,43 +5634,43 @@ NO seleccionará: %2 Herramientas de Sandbox - + Command Prompt (as Admin) Línea de comandos (como Administrador) - + Command Prompt (32-bit) Línea de comandos (32-bit) - + Execute Autorun Entries Ejecutar entradas Autorun - - + + Move Sandbox Mover Sandbox - + Browse Content Explorar contenido - + Box Content Contenido de la caja - + Open Registry Abrir registro - + Immediate Recovery Recuperación Inmediata @@ -5618,19 +5683,19 @@ NO seleccionará: %2 Mover Caja/Grupo - - + + Move Up Mover Arriba - - + + Move Down Mover Abajo - + Please enter a new name for the Group. Por favor ingrese un nuevo nombre para el Grupo. @@ -5639,88 +5704,86 @@ NO seleccionará: %2 Este nombre de Grupo ya esta en uso. - + Move entries by (negative values move up, positive values move down): Mover entradas por (valores negativos mover arriba, valores positivos mover abajo): - + A group can not be its own parent. Un grupo no puede ser su mismo pariente. - + The Sandbox name and Box Group name cannot use the ',()' symbol. No se puede usar el símbolo ',()' en los nombres de Sandbox y Grupo de Caja. - + This name is already used for a Box Group. Este nombre ya está en uso para un Grupo de Caja. - + This name is already used for a Sandbox. Este nombre ya está en uso para una Sandbox. - - - + + + Don't show this message again. No mostrar este mensaje de nuevo. - - - + + + This Sandbox is empty. Esta Sandbox está vacía. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. ADVERTENCIA: El editor del registro abierto no está aislado, por favor tenga cuidado y solo realice cambios en las ubicaciones de la sandbox preseleccionadas. - + Don't show this warning in future No mostrar esta advertencia en el futuro - + Please enter a new name for the duplicated Sandbox. Por favor ingrese un nuevo nombre para la Sandbox duplicada. - + %1 Copy %1 Copiar - - + + Select file name Elegir nombre de archivo - - 7-zip Archive (*.7z) - Archivador 7-zip (*.7z) + Archivador 7-zip (*.7z) - + Exporting: %1 Exportando: %1 - + Please enter a new name for the Sandbox. Por favor ingrese un nuevo nombre para la Sandbox. - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? ¿Desea realmente eliminar la(s) sandbox(es) seleccionada(s)?<br /><br />Advertencia: ¡el contenido de la caja tambien sera eliminado! @@ -5730,24 +5793,24 @@ NO seleccionará: %2 Borrando %1 contenido - + This Sandbox is already empty. Esta Sandbox ya está vacía. - - + + Do you want to delete the content of the selected sandbox? ¿Desea realmente eliminar el contenido de la sandbox seleccionada? - - + + Also delete all Snapshots Borrar también todas las Instantáneas - + Do you really want to delete the content of all selected sandboxes? ¿Desea borrar el contenido de todas las sandboxes seleccionadas? @@ -5756,25 +5819,25 @@ NO seleccionará: %2 Desea realmente eliminar el contenido de multiples sandboxes? - + Do you want to terminate all processes in the selected sandbox(es)? ¿Desea realmente finalizar todos los procesos en la/las sandbox(es) seleccionada(s)? - - + + Terminate without asking Finalizar sin preguntar - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. El menú de inicio de Sandboxie se mostrará ahora. Seleccione una aplicación del menú y Sandboxie creará un nuevo icono de acceso directo en su escritorio real, el cual podrá utilizar para iniciar la aplicación seleccionada bajo la supervisión de Sandboxie. - - + + Create Shortcut to sandbox %1 Crear un Atajo a la sandbox %1 @@ -5783,7 +5846,7 @@ NO seleccionará: %2 Usted quiere %1 %2? - + the selected processes los procesos seleccionados @@ -5792,12 +5855,12 @@ NO seleccionará: %2 Desea %1 el(los) proceso(s) seleccionado(s) - + This box does not have Internet restrictions in place, do you want to enable them? Esta caja no tiene restricciones de Internet establecidas, ¿desea activarlas? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Esta sandbox esta deshabilitada, ¿desea habilitarla? @@ -5842,7 +5905,7 @@ NO seleccionará: %2 CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - Configuraciones Globales @@ -5856,457 +5919,457 @@ NO seleccionará: %2 Configuración de Protección - + Auto Detection Detección Automática - + No Translation Sin traducción - - + + Don't integrate links No integrar enlaces - - + + As sub group Como subgrupo - - + + Fully integrate Integrar completamente - + Don't show any icon Don't integrate links No mostrar ningún ícono - + Show Plus icon Mostrar ícono Plus - + Show Classic icon Mostrar ícono Clásico - + All Boxes Todas las Cajas - + Active + Pinned Activo + Fijado - + Pinned Only Solamente Fijado - + Close to Tray Cerrar a la Bandeja - + Prompt before Close Preguntar antes de Cerrar - + Close Cerrar - + None Ninguno - + Native Nativo - + Qt Qt - + Every Day Cada Día - + Every Week Cada Semana - + Every 2 Weeks Cada 2 Semanas - + Every 30 days Cada 30 días - + Ignore Ignorar - - + + Notify Notificar - - + + Download & Notify Descargar y Notificar - - + + Download & Install Descargar e Instalar - + %1 %1 % %1 - + Browse for Program Buscar programa - + Add %1 Template Añadir Plantilla %1 - + HwId: %1 - + Select font Elegir fuente - + Reset font Restablecer fuente - + Search for settings Buscar ajustes - + %0, %1 pt %0, %1 pt - + Please enter message Por favor introduzca mensaje - + Select Program Elegir Programa - + Executables (*.exe *.cmd) Ejecutables (*.exe *.cmd) - - + + Please enter a menu title Por favor introduzca un título de menú - + Please enter a command Por favor ingrese un comando - - - + + + Run &Sandboxed Ejecutar &Sandboxed - + kilobytes (%1) kilobytes (%1) - + Volume not attached Volumen no adjuntado - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. El certificado de patrocinador ha expirado, por favor <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obten un certificado actualizado</a>. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>Para la versión actual, las funciones Plus siguen estando activadas</font>, pero ya no tienes acceso a los servicios de Sandboxie-Live, incluyendo las actualizaciones de compatibilidad y la base de datos de solución de problemas. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Este certificado de patrocinador<font color='red'>expirará en %1 día(s)</font>, por favor <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obtenga un certificado actualizado</a>. - + Expires in: %1 days Expires: %1 Days ago - + Expired: %1 days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Deshabilitado - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. Esto no parece un número de serie de Sandboxie-Plus.<br />Si ha intentado introducir el UpdateKey o Signature de un certificado, no es correcto, por favor introduzca, en cambio, el certificado completo en el área de texto superior. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. Está intentando usar una Clave de Actualización de características sin haber ingresado un certificado de patrocinador preexistente. Tenga en cuenta que este tipo de clave (<b>como se indica claramente en negritas en el sitio web</b>) requiere que tenga un certificado de patrocinador válido preexistente; es inútil sin uno.<br />Si desea usar las características avanzadas, necesita obtener tanto un certificado estándar como la clave de actualización de características para desbloquear la funcionalidad avanzada. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. Está intentando usar una Clave de Renovación sin haber ingresado un certificado de patrocinador preexistente. Tenga en cuenta que este tipo de clave (<b>como se indica claramente en negritas en el sitio web</b>) requiere que tenga un certificado de patrocinador válido preexistente; es inútil sin uno. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> <br /><br /><u>Si no ha leído la descripción del producto y ha obtenido esta clave por error, por favor contáctanos por email (disponible en nuestra web) para resolver esta incidencia.</u> - - + + Retrieving certificate... Obteniendo certificado... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 Error obteniendo certificado: %1 - + Unknown Error (probably a network issue) Error Desconocido (probablemente un problema de red) - + Contributor Contribuidor - + Eternal Eterno - + Business Negocio - + Personal Presonal - + Great Patreon Gran Patreon - + Patreon Patreon - + Family Familia - + Home Hogar - + Evaluation Evaluación - + Type %1 Tipo %1 - + Advanced Avanzado - + Advanced (L) Avanzado (L) - + Max Level Nivel máximo - + Level %1 Nivel %1 - + Supporter certificate required for access Certificado de patrocinador requerido para acceso - + Supporter certificate required for automation Certificado de patrocinador requerido para automatización - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Este certificado es desafortunadamente inválido para la compilación actual, necesita obtener un nuevo certificado o volver a una compilación anterior. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Aunque este certificado ha caducado, las funciones adicionales de la versión actualmente instalada siguen habilitadas. Sin embargo, ya no tendrás acceso a los servicios de Sandboxie-Live, incluidas las actualizaciones de compatibilidad y la base de datos de solución de problemas en línea. - + This certificate has unfortunately expired, you need to get a new certificate. Este certificado ha desafortunadamente expirado, necesita obtener un nuevo certificado. - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Sandboxed Web Browser Navegador Web Aislado @@ -6315,12 +6378,12 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Este certificado de patrocinador ha expirado, por favor <a href="sbie://update/cert">obtenga un certificado actualizado</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Características Plus se deshabilitarán en %1 días.</font> - + <br />Plus features are no longer enabled. <br />Características Plus ya no están disponibles. @@ -6329,22 +6392,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Este certificado de patrocinador <font color='red'>expirará en %1 días</font>, por favor <a href="sbie://update/cert">obtenga un certificado actualizado</a>. - + Run &Un-Sandboxed Ejecutar &Sin-Sandbox - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Esto no parece un certificado. Por favor introduzca el certificado entero, no solo una porción del mismo. @@ -6357,7 +6420,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Este certificado esta desactualizado. - + Thank you for supporting the development of Sandboxie-Plus. Gracias por patrocinar el desarrollo de Sandboxie-Plus. @@ -6366,88 +6429,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Este certificado de patrocinador no es válido. - + Update Available Actualización Disponible - + Installed Instalado - + by %1 por %1 - + (info website) (web de información) - + This Add-on is mandatory and can not be removed. Esta extensión es obligatoria y no se puede eliminar. - - + + Select Directory Seleccionar Directorio - + <a href="check">Check Now</a> <a href="check">Comprobar Ahora</a> - + Please enter the new configuration password. Por favor ingrese la nueva clave de configuracion. - + Please re-enter the new configuration password. Por favor re-ingrese la nueva clave de configuracion. - + Passwords did not match, please retry. Las contraseñas no son iguales, vuelva a intentarlo por favor. - + Process Proceso - + Folder Carpeta - + Please enter a program file name Por favor ingrese un nombre de archivo al programa - + Please enter the template identifier Por favor ingrese el identificador de plantilla - + Error: %1 Error: %1 - + Do you really want to delete the selected local template(s)? ¿Desea realmente borrar la(s) plantilla(s) local(es) seleccionada(s)? - + %1 (Current) %1 (Actual) @@ -6689,70 +6752,70 @@ Pruebe a enviarlo sin adjuntar el registro. CSummaryPage - + Create the new Sandbox Crear nueva Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Casi listo, presione Finalizar para crear una nueva sandbox y concluir el asistente. - + Save options as new defaults Guardar opciones como predeterminadas - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) Saltar esta página de resumen cuando las opciones avanzadas no estén configuradas - + This Sandbox will be saved to: %1 Esta Sandbox se guardará en: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. Los contenidos de esta caja se DESCARTARÁN cuando se cierre, y la caja se eliminará. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Esta caja ELIMINARÁ sus contenidos cuando se cierre, al ser apropiada únicamente para datos temporales. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Los procesos en esta caja no podrán acceder a Internet o a la red local, esto asegura que todos los datos accedidos estén confidenciales. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. Esta caja correrá MSIServer (servicio de instalación de *.msi) con un token del sistema, esto mejora la compatibilidad pero reduce la seguridad de aislamiento. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Procesos en esta caja pensarán que están siendo ejecutados con privilegios de administrador, sin que realmente los tengas, de ahí que los instaladores se puedan usar incluso en una caja con seguridad mejorada. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6761,7 +6824,7 @@ Processes in this box will be running with a custom process token indicating the Procesos en esta caja se ejecutarán con un token de proceso personalizado indicando la sandbox a la que pertenecen. - + Failed to create new box: %1 Error al crear nueva caja: %1 @@ -7399,34 +7462,74 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Comprimir Archivos - + Compression Compresión - + When selected you will be prompted for a password after clicking OK Cuando marcado se le pedirá por una contraseña tras pulsar Aceptar - + Encrypt archive content Encriptar contenidos del archivador - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. La compresión sólida mejora las tasas de compresión al tratar múltiples archivos como un único bloque continuo de datos. Ideal para una gran cantidad de archivos pequeños, hace que el archivo sea más compacto pero puede aumentar el tiempo necesario para extraer archivos individuales. - + Create Solide Archive Crear Archivador Sólido - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Exportar Sandbox a un archivador 7z, Elija su Razón de Compresión y Personalice Opciones avanzadas de Compresión. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Exportar Sandbox a un archivador 7z, Elija su Razón de Compresión y Personalice Opciones avanzadas de Compresión. + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption + @@ -7491,37 +7594,37 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Opciones de Sandbox - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. Precaución: Cuando es ejecutado con el administrador incluido, los procesos no pueden soltar los permisos administrativos. - + Show this box in the 'run in box' selection prompt Mostrar esta caja en el 'ejecutar en sandbox' cuadro de selección - + Appearance Apariencia - + General Configuration Configuraión General - + Box Type Preset: Tipo de caja predefinida: - + Box info Información de la caja - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Más tipos de cajas</b> estan solo disponibles para <u>patrocinadores del proyecto</u>, las cajas de Privacidad Aumentada <b><font color='red'>protejen los datos del usuario contra acceso ilícito</font></b> por los programas de la sandbox.<br />Si aún no sos un patrocinador, por favor considere <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert"> patrocinador del proyecto</a>, para recibir un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de patrocinador</a>.<br />Podes probar los otros tipos de cajas creando nuevas sandboxes de esos tipos, aunque estos procesos se detendran a los 5 minutos. @@ -7530,27 +7633,27 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Derechos administrativos - + Make applications think they are running elevated (allows to run installers safely) Hacer que las aplicaciones crean que son ejecutadas con permisos elevados (permite ejecutar instaladores con seguridad) - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Nota de seguridad: aplicaciones ejecutadas con permisos elevados supervisados por Sandboxie, con un administrador o sistema o clave de sistema, tiene mas oportunidades de saltearse el aislamiento y modificar el sistema fuera de la sandbox. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Permitir MSIServer ejecutarse con una clave de sistema sandbox y aplicar otras excepciones si es requerido - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Nota: Excepciones para instaladores MSI no deben ser requeridas, pero si encuentra problemas instalando paquetes MSI confiables, esta opción puede ayudar a que la instalación se complete satisfactoriamente. Tambien puede intentar deshabilitar Rebajar permisos de grupos Administradores y Usuarios Avanzados. - + Prompt user for large file migration Preguntar al usuario si desea migrar archivos grandes @@ -7559,7 +7662,7 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Restricciones de acceso - + Block read access to the clipboard Bloquear acceso de lectura al portapapeles @@ -7568,7 +7671,7 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Prevenir cambios de parametros en red y cortafuegos - + px Width px Ancho @@ -7578,32 +7681,33 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Indicador de Sandbox en titulo: - + Sandboxed window border: Border de ventana en Sandbox: - - - - - - + + + + + + + Protect the system from sandboxed processes Protejer al sistema de procesos en sandboxes - + Elevation restrictions Restricciones de Elevacion - + Open Windows Credentials Store (user mode) Abrir Credenciales de Windows (modo usuario) - + Block network files and folders, unless specifically opened. Bloquear archivos de red y carpetas, salvo especificamente abiertos. @@ -7612,17 +7716,17 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Hace creer a las aplicaciones que son ejecutadas con permisos elevados (permite ejecutar instaladores con seguridad) - + Network restrictions Restricciones de Red - + Drop rights from Administrators and Power Users groups Rebajar permisos de grupos Administradores y Usuarios Avanzados - + (Recommended) (Recomendado) @@ -7631,28 +7735,28 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Nota de Seguridad: Aplicaciones ejecuntandose con permisos elevados bajo la supervision de Sandboxie, con un permiso de admin, tiene mas oportunidades de escapar de la sandbox y modificar el sistema. - + File Options Opciones de Archivo - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Eliminar contenido automáticamente cuando finalice el último proceso aislado - + Copy file size limit: Limite de tamaño de archivo copiado: - + Box Delete options Opciones de eliminación de Sandbox - + Protect this sandbox from deletion or emptying Proteger esta sandbox de la eliminación o vaciado @@ -7661,28 +7765,28 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Acceso a disco directo - - + + File Migration Migración de archivo - + Allow elevated sandboxed applications to read the harddrive Permitir aplicaciones ejecutadas con permisos elevados leer el disco duro - + Warn when an application opens a harddrive handle Avisar cuando una aplicaicon abre un puntero de disco duro - + kilobytes kilobytes - + Issue message 2102 when a file is too large Presentar mensaje 2102 cuando un archivo es muy grande @@ -7691,32 +7795,32 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Opciones de Acceso - + Remove spooler restriction, printers can be installed outside the sandbox Eliminar restricción de spooler, las impresoras pueden ser instaladas fuera de la sandbox - + Allow the print spooler to print to files outside the sandbox Permitir al spooler de impresion imprimir archivos fuera de la sandbox - + Block access to the printer spooler Bloquear acceso al spooler de impresion - + Other restrictions Otras restricciones - + Printing restrictions Restricciones de impresion - + Open System Protected Storage Abrir Almacenamiento de Sistema Protegido @@ -7733,67 +7837,67 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Permitir acceso a Tarjetas Inteligentes - + Run Menu Ejecutar Menu - + You can configure custom entries for the sandbox run menu. Ud. puede configurar entradas personalizadas para el menu de ejecución de sandbox. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Nombre - + Command Line Linea de Comandos - + Add program Agregar programa - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Eliminar @@ -7806,13 +7910,13 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Aqui puede especificar programas y/o servicios que seran iniciados automaticamente en la sandbox cuando se active - - - - - - - + + + + + + + Type Tipo @@ -7821,21 +7925,21 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Agregar Servicio - + Program Groups Grupo de Programas - + Add Group Agregar Grupo - - - - - + + + + + Add Program Agregar Programa @@ -7848,42 +7952,42 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Programas Forzados - + Force Folder Forzar Carpeta - - - + + + Path Ruta - + Force Program Forzar Programa - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Mostrar Plantillas @@ -7892,8 +7996,8 @@ Si ya eres un Gran Patrocinador en Patreon, Sandboxie puede comprobar online por Programas ingresados aqui, o programas iniciados desde ubicaciones ingresadas, seran puestos en esta sandbox automaticamente, salvo sean explicitamente iniciados en otra sandbox. - - + + Stop Behaviour Comportamiento de Detencion @@ -7918,32 +8022,32 @@ If leader processes are defined, all others are treated as lingering processes.< Si los procesos lider son definidos, todos los demas son tratados como persistentes. - + Start Restrictions Restricciones de Inicio - + Issue message 1308 when a program fails to start Mostrar mensaje 1308 cuando un programa falle al iniciar - + Allow only selected programs to start in this sandbox. * Permitir solo los programas seleccionados iniciar en esta sandbox. * - + Prevent selected programs from starting in this sandbox. Prevenir los programas seleccionados de iniciar en esta sandbox. - + Allow all programs to start in this sandbox. Permitir todos los programas iniciar en esta sandbox. - + * Note: Programs installed to this sandbox won't be able to start at all. * Nota: Programas instalados en esta sandbox no podran iniciarse. @@ -7952,12 +8056,12 @@ Si los procesos lider son definidos, todos los demas son tratados como persisten Restricciones de Internet - + Process Restrictions Restricciones de Procesos - + Issue message 1307 when a program is denied internet access Mostrar mensaje 1307 cuando un programa es denegado su acceso a internet @@ -7966,46 +8070,46 @@ Si los procesos lider son definidos, todos los demas son tratados como persisten Bloquear acceso a internet para todos los programas excepto aquellos agregados a esta lista. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Nota: Programas instalados en esta sandbox no podran acceder a internet. - + Prompt user whether to allow an exemption from the blockade. Preguntar al usuario si desea permitir excepción al bloqueo. - + Resource Access Acceso a recursos - - - - - - - - - - + + + + + + + + + + Program Programa - + Prevent change to network and firewall parameters (user mode) Prevenir cambiar parametros de red y cortafuegos (modo usuario) - - - - - - + + + + + + Access Acceso @@ -8026,39 +8130,39 @@ You can use 'Open for All' instead to make it apply to all programs, o Ud. puede usar 'Abrir para todos' en vez de aplicar a todos los programas, o cambiar este comportamiento en las Politicas. - + Add Reg Key Agregar clave de Registro - + Add File/Folder Agregar Archivo/Carpeta - + Add Wnd Class Agregar Wnd Class - + Add COM Object Agregar COM Object - + Add IPC Path Agregar IPC Path - - + + Move Up Mover Arriba - - + + Move Down Mover Abajo @@ -8073,22 +8177,22 @@ Note que Cerrar todos los ...=!<program>,... exclusiones tienen la misma l Para acceso a archivos Ud. puede usar 'Directo Todo' en vez de hacerlo aplicar a todos los programas. - + File Recovery Recuperación de archivos - + Add Folder Agregar Carpeta - + Ignore Extension Ignorar Extension - + Ignore Folder Ignorar Carpeta @@ -8097,33 +8201,33 @@ Para acceso a archivos Ud. puede usar 'Directo Todo' en vez de hacerlo Habilitar consulta de Recuperación Inmediata que pueda recuperar archivos al momento de crearse. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Puede excluir carpetas y tipos de archivos (o extensiones de archivos) de la Recuperación Instantánea. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Cuando la función de Recuperación Rapida es solicitada, las siguientes carpetas seran verificadas por contenido. - + Advanced Options Opciones Avanzadas - + Miscellaneous Miscelaneas - - - - - - - + + + + + + + Protect the sandbox integrity itself Protejer la integridad de la sandbox @@ -8132,12 +8236,12 @@ Para acceso a archivos Ud. puede usar 'Directo Todo' en vez de hacerlo Aislamiento de Sandbox - + Do not start sandboxed services using a system token (recommended) No iniciar servicios en la sandbox usando token de sistema (recomendado) - + Add sandboxed processes to job objects (recommended) Agregar procesos en la sandbox a objetos de trabajo (recomendado) @@ -8146,23 +8250,23 @@ Para acceso a archivos Ud. puede usar 'Directo Todo' en vez de hacerlo Proteger procesos de sistema dentro de la sandbox contra procesos no privilegiados fuera de la sandbox - - + + Compatibility Compatibilidad - + Force usage of custom dummy Manifest files (legacy behaviour) Forzar el uso de archivos de manifesto de prueba (comportamiento heredado) - + Don't alter window class names created by sandboxed programs No alterar nombres de clase de ventanas creadas por programas en sandboxes - + Allow only privileged processes to access the Service Control Manager Permitir solamente procesos privilegiados acceder al Administrador de Control de Servicios @@ -8187,37 +8291,37 @@ Para acceso a archivos Ud. puede usar 'Directo Todo' en vez de hacerlo Esconder Procesos - + Add Process Agregar Proceso - + Hide host processes from processes running in the sandbox. Esconder procesos del anfitrion de procesos ejecutandose en la sandbox. - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked Este comando se ejecutará antes de que un archivo se recupere y la ruta del archivo se pasará como primer argumento. Si este comando devuelve algo distinto de 0, la recuperación será bloqueada - + Don't allow sandboxed processes to see processes running in other boxes No permitir que los procesos aislados vean procesos ejecutándose en otras cajas - + Users Usuarios - + Restrict Resource Access monitor to administrators only Restringir monitor de acceso a recursos solo para administradores - + Add User Agregar Usuario @@ -8234,27 +8338,27 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to u Nota: Configuración de Programas Forzados y Carpetas Forzadas para una sandbox no aplican a cuentas de usuario que no pueden usar la sandbox. - + Tracing Rastreo - + COM Class Trace Rastreo COM Class - + IPC Trace Rastreo IPC - + Key Trace Rastreo de llave - + GUI Trace Rastreo GUI @@ -8263,34 +8367,34 @@ Nota: Configuración de Programas Forzados y Carpetas Forzadas para una sandbox Políticas de Acceso a Recursos - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. La especificidad de una regla es la medida de cuan bien cierta regla coincide una ruta particular, para decirlo de otra forma la especificidad es el largo de caracteres desde el principio de la ruta hasta inclusive la ultima coincidencia sin comodin. Una regla que coincida solo los tipos de archivo como "*.tmp*" tendra la mayor especificidad ya que siempre coincidirá con la ruta completa. El proceso de nivel de coincidencia tiene mayor prioridad que la especificidad y describe como una regla aplica a un proceso dado. Reglas aplicadas a un nombre de proceso o grupo tienen mayor nivel de coincidencia, seguido por la coincidencia por negación (ej. reglas aplicadas a todos los procesos menos a uno), mientras que las coincidencias de menor nivel tiene coincidencias globales, ej. reglas que aplican a cualquier proceso. - + Prioritize rules based on their Specificity and Process Match Level Priorizar reglas basado en su especificidad y nivel de coincidencia - + Privacy Mode, block file and registry access to all locations except the generic system ones Modo privacidad, bloquea el acceso al registro y archivos a todas las ubicaciones exceptuando las genéricas del sistema - + Access Mode Modo de acceso - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Cuando el Modo Privacidad esta habilidato, los procesos en la sandbox podran solo leer C:\Windows\*, C:\Program Files\*, y partes del registro HKLM, todas las demas ubicaciones necesitan acceso explicito para poder ser leidas y/o escritas. En este modo, la Regla de Especificidad esta siempre habilitada. - + Rule Policies Políticas de reglas @@ -8299,12 +8403,12 @@ El proceso de nivel de coincidencia tiene mayor prioridad que la especificidad y Aplicar Cerrar... =! <program>,... aplica tambien a todos los archivos binarios ubicados en la sandbox. - + Apply File and Key Open directives only to binaries located outside the sandbox. Aplica a directivas de Archivo y Abrir solo sobre binarios ubicados fuera de la sandbox. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Iniciar en sandbox RpcSs como un proceso de SISTEMA (no recomendado) @@ -8313,28 +8417,28 @@ El proceso de nivel de coincidencia tiene mayor prioridad que la especificidad y Acceso abierto a infraestructura COM (no recomendado) - + Drop critical privileges from processes running with a SYSTEM token Rebajar privilegios criticos de procesos ejecutandose con autentificación de SISTEMA - - + + (Security Critical) (Crítico para la seguridad) - + Protect sandboxed SYSTEM processes from unprivileged processes Protejer procesos de SISTEMA en la sandbox de procesos no privilegiados - + Program Control Control de Programa - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. El aislamiento de seguridad a travez del uso de procesos fuertemente restringidos es el principal significado de Sandboxie de reforzar restricciones, cuando esto esta deshabilitado la caja es operada en modo de compartimiento de aplicación, ej. no provee seguridad confiable, simplemente solo compartimentación de aplicacion. @@ -8348,22 +8452,22 @@ El proceso de nivel de coincidencia tiene mayor prioridad que la especificidad y Varias caracteristicas avanzadas de aislamiento pueden romper la compatibilidad con algunas aplicaciones. Si ud. esta usando esta sandbox <b>NO para Seguridad</b> pero para simple portabilidad de aplicacion, con cambiar estas opciones ud. puede restaurar la compatibilidad sacrificando algo de seguridad. - + Security Isolation & Filtering Aislamiento y Filtrado de Seguridad - + Disable Security Filtering (not recommended) Deshabilitar Filtrado de Seguridad (no recomendado) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Filtrado de Seguridad usado por Sandboxie para reforzar el sistema de archivos y las restricciones de acceso al registro, tanto como restringir el acceso a procesos. - + The below options can be used safely when you don't grant admin rights. Las siguientes opciones pueden ser usadas con seguridad cuando no se requiera garantizar derechos administrativos. @@ -8373,22 +8477,22 @@ El proceso de nivel de coincidencia tiene mayor prioridad que la especificidad y Rastreo de llamadas API (requiere logapi estar instalado en el directorio de sbie) - + Log all SetError's to Trace log (creates a lot of output) Registrar todos los SetErrors al Log de Rastreo (crea mucha salida de datos) - + File Trace Rastreo de archivo - + Pipe Trace Rastreo Pipe - + Access Tracing Rastreo de acceso @@ -8397,12 +8501,12 @@ El proceso de nivel de coincidencia tiene mayor prioridad que la especificidad y <- para esta lo de arriba no aplica - + Log Debug Output to the Trace Log Registrar salida de depuración al log de Rastreo - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8425,42 +8529,42 @@ en cambio de "*". Rastreo Ntdll syscall (crea mucha información de salida) - + Debug Depuracion - + WARNING, these options can disable core security guarantees and break sandbox security!!! ADVERTENCIA, estas opciones pueden deshabilitar garantias de seguridad de nucleo y romper la seguridad de la sandbox!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Estas opciones son para depurar problemas de compatibilidad, por favor no las use en produccion. - + App Templates Plantillas de Aplicacion - + Filter Categories Filtros de Categorias - + Text Filter Filtro de Texto - + Category Categoria - + This list contains a large amount of sandbox compatibility enhancing templates Esta lista contiene gran cantidad de plantillas para mejorar la compatibilidad de la sandbox @@ -8470,88 +8574,88 @@ en cambio de "*". Mostrar siempre esta sandbox en la lista de bandeja de sistema (Fijada) - + Double click action: Acción de doble pulsación: - + Partially checked means prevent box removal but not content deletion. Parcialmente verificado significa prevenir la eliminación de la caja pero no la eliminación del contenido. - + Separate user folders Carpetas de usuario separadas - + Box Structure Estructura de la caja - + Security Options Opciones de Seguridad - + Security Hardening Endurecimiento de Seguridad - + Security Isolation Aislamiento de Seguridad - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Diversas características de aislamiento pueden romper la compatibilidad con algunas aplicaciones. Si estás utilizando esta sandbox <b>NO por Seguridad</b> sino por portabilidad de aplicaciones, al cambiar estas opciones puedes restaurar la compatibilidad sacrificando algo de seguridad. - + Access Isolation Aislamiento de acceso - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. Cuando la tecla de acceso rápido global se presione 3 veces en rápida sucesión, esta excepción será ignorada. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. Excluir esta sandbox de ser finalizada cuando se invoque "Terminar Todos los Procesos". - + Image Protection Protección de Imagen - + Issue message 1305 when a program tries to load a sandboxed dll Emitir el mensaje 1305 cuando un programa intenta cargar una dll en un entorno aislado - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox Evitar que los programas de sandbox instalados en el host carguen DLLs desde esta sandbox - + Dlls && Extensions DLLs y Extensiones - + Description Descripción - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8560,78 +8664,78 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Esto se hace para evitar que procesos maliciosos dentro de la sandbox creen una copia renombrada de sí mismos y accedan a recursos protegidos. Otro vector de explotación es la inyección de una biblioteca en un proceso autorizado para obtener acceso a todo lo que se le permite acceder. Utilizando la Protección de Imagen del Host, esto puede prevenirse bloqueando a las aplicaciones (instaladas en el host) que se ejecuten dentro de una sandbox y que carguen bibliotecas desde la propia sandbox. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. La funcionalidad de Sandboxie puede mejorarse mediante el uso de DLLs opcionales que pueden cargarse en cada proceso confinado en uns sandbox al iniciarse por el archivo SbieDll.dll. El administrador de extensiones en la configuración global ofrece un par de extensiones útiles; una vez instaladas, pueden activarse aquí para el sandbox actual. - + Other isolation Otro aislamiento - + Privilege isolation Aislamiento de privilegios - + Sandboxie token Token de Sandboxie - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Usar un Token personalizado de Sandboxie permite aislar mejor las sandboxes unas de otras, y muestra en la columna del usuario de los administradores de tareas el nombre de la caja a la que pertenece un proceso. Sin embargo, algunas soluciones de seguridad de terceros pueden tener problemas con tokens personalizados. - + Create a new sandboxed token instead of stripping down the original token - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Ud. puede agrupar programas juntos y darles un nombre de grupo. Grupos de programa pueden ser usados con algunas de las configuraciones en lugar de nombres de programas. Grupos definidos para la sandbox sobreescribe grupos definidos en plantillas/templates. - + Force Programs Forzar Programas - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Programas ingresados aqui, o programas iniciados en las ubicaciones ingresadas, seran puestan en esta sandbox automaticamente, a menos que sean iniciadas especificamente en otra sandbox. - + Disable forced Process and Folder for this sandbox Desactivar el proceso forzado y la carpeta para esta sandbox - + Force Children Forzar Hijos - + Breakout Programs Programas Emergentes - + Breakout Program Programa Emergente - + Breakout Folder Carpeta Emergente - + Force protection on mount Forzar protección al montar @@ -8641,292 +8745,296 @@ Esto se hace para evitar que procesos maliciosos dentro de la sandbox creen una Evitar que los procesos aislados interfieran con operaciones de energía - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. Evitar que los procesos realicen capturas de pantalla de las ventanas aisladas - + Allow useful Windows processes access to protected processes Permitir que procesos útiles de Windows accedan a procesos protegidos - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. Esta característica no bloquea todos los medios de obtener una captura de pantalla, únicamente los comunes. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. Evita mover el ratón, traer al frente y operaciones similares, esto probablemente causará problemas con los juegos. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar Permitir que las ventanas aisladas cubran la barra de tareas - + Only Administrator user accounts can make changes to this sandbox Solo cuentas de Administrador pueden hacer cambios a esta sandbox - + Job Object - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Drop ConHost.exe Process Integrity Level - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>AVISO DE SEGURIDAD</font>:</b> Usar <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> y/o <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinación con las directivas Open[File/Pipe]Path puede comprometer la seguridad. Por favor, revise la sección de seguridad para cada opción en la documentación antes de su uso. + <b><font color='red'>AVISO DE SEGURIDAD</font>:</b> Usar <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> y/o <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinación con las directivas Open[File/Pipe]Path puede comprometer la seguridad. Por favor, revise la sección de seguridad para cada opción en la documentación antes de su uso. - + Lingering Programs Programas persistentes - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Los programas persistentes se terminarán automáticamente si todavía están en ejecución después de que todos los demás procesos se hayan terminado. - + Leader Programs Programas Líder - + If leader processes are defined, all others are treated as lingering processes. Si se definen procesos líder, todos los demás se tratan como procesos rezagados. - + Stop Options Opciones de Detención - + Use Linger Leniency Usar Indulgencia Persistente - + Don't stop lingering processes with windows No detener procesos persistentes con ventanas - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. Este ajuste puede ser usado para evitar que se ejecuten programas en la sandbox sin el consentimiento del usuario o su conocimiento. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. Mostrar una advertencia emergente antes de iniciar un proceso en la sandbox proveniente de una fuente externa - + Files Archivos - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configure qué procesos pueden acceder a Archivos, Carpetas y Tuberías (Pipes). El acceso 'Abrir' solo se aplica a los binarios de programas ubicados fuera de la sandbox, puedes utilizar 'Abrir para Todos' en su lugar para hacer que se aplique a todos los programas, o cambiar este comportamiento en la pestaña de Políticas. - + Registry Registro - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configure qué procesos pueden acceder al Registro. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Configure qué procesos pueden acceder a objetos IPC de NT como puertos ALPC y la memoria y el contexto de otros procesos. Para especificar un proceso, utiliza '$:program.exe' como ruta. - + Wnd Wnd - + Wnd Class Clase Wnd - + COM COM - + Class Id ID de Clase - + Configure which processes can access COM objects. Configura qué procesos pueden acceder a objetos COM. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) No usa COM virtualizado, Abrir acceso a la infraestructura COM del ordenador (no recomendado) - + Access Policies Políticas de Acceso - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Aplicar Cerrar...=!<program>,... reglas también a todos los archivos ejecutables localizados en la sandbox. - + Network Options Opciones de Red - + Set network/internet access for unlisted processes: Setear acceso a red/internet para procesos sin listar: - + Test Rules, Program: Reglas de testeo, Programas: - + Port: Puerto: - + IP: IP: - + Protocol: Protocolo: - + X X - + Add Rule Agregar Regla - - - - + + + + Action Acción - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Use números de series de volumen para unidades, como: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty La estructura de la caja solo se puede cambiar cuando la sandbox está vacía - + Disk/File access Acceso de Archivo/Disco - + Encrypt sandbox content Encriptar contenido de sandbox - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. Cuando se activa la <a href="sbie://docs/boxencryption">Encriptación de Caja</a>, la carpeta raíz de la caja, incluido su registro, se almacena en una imagen de disco cifrada, utilizando la implementación AES-XTS de <a href="https://diskcryptor.org">Disk Cryptor</a>. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Instala el controlador ImDisk</a> para habilitar soporte para el Disco de Ram y el Disco de Imagen. - + Store the sandbox content in a Ram Disk Almacenar el condenido de la sandbox en un Disco de Ram - + Set Password Establecer Contraseña - + Virtualization scheme Esquema de virtualización - + + Allow sandboxed processes to open files protected by EFS + + + + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -8935,88 +9043,104 @@ Para especificar un proceso, utiliza '$:program.exe' como ruta. - + Issue message 2113/2114/2115 when a file is not fully migrated Emitir mensaje 2113/2114/2115 cuando un archivo no está completamente migrado - + Add Pattern Añadir Patrón - + Remove Pattern Eliminar Patrón - + Pattern Patrón - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie no permite la escritura en archivos del sistema anfitrión, a menos que el usuario lo permita. Cuando una aplicación en una sandbox intenta modificar un archivo, el archivo completo debe ser copiado dentro de la sandbox, para archivos grandes esto puede llevar un tiempo significativo. Sandboxie ofrece opciones para manejar estos casos, que pueden configurarse en esta página. - + Using wildcard patterns file specific behavior can be configured in the list below: Utilizando patrones comodín se puede configurar el comportamiento específico de archivos en la lista a continuación: - + When a file cannot be migrated, open it in read-only mode instead Cuando un archivo no se pueda migrar, ábrelo en cambio en modo solo lectura - + Prevent sandboxed processes from interfering with power operations (Experimental) Impedir que los procesos aislados interfieran con las operaciones en energía (Experimental) - + Prevent interference with the user interface (Experimental) Impedir interferencia con la interfaz de usuario (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) Impedir que los procesos aislados capturen imágenes de ventanas (Experimental, puede causar fallos en la IU) - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Disable Security Isolation Deshabilitar Aislamiento de Seguridad - - + + Box Protection Protección de Caja - + Protect processes within this box from host processes Proteger procesos en esta caja de procesos del ordenador - + Allow Process Permitir Proceso - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Emitir mensaje 1318/1317 cuando un proceso anfitrión intenta acceder a un proceso en una sandbox/la raíz de la sandbox - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus es capaz de crear áreas aisladas confidenciales que proporcionan una protección robusta contra la vigilancia no autorizada o la manipulación por parte de los procesos del ordenador. Al utilizar una imagen de área aislada cifrada, esta característica ofrece el mayor nivel de confidencialidad operativa, asegurando la seguridad y la integridad de los procesos de la sandbox. - + Deny Process Denegar Proceso @@ -9026,94 +9150,101 @@ Para especificar un proceso, utiliza '$:program.exe' como ruta.Evitar que los procesos aislados usen métodos públicos de captura de imágenes de ventanas - + Advanced Security Seguridad Avanzada - + Use a Sandboxie login instead of an anonymous token Usar un inicio de sesión Sandboxie en vez de un token anónimo - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Los programas introducidos aquí podrán salir de esta sandbox cuando se inicien. También es posible capturarlos en otra sandbox, por ejemplo, para que tu navegador web siempre se abra en una caja dedicado. - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. - <b><font color='red'>ADVERTENCIA DE SEGURIDAD</font>:</b> Usar <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> y/o <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinación con directivas Open[File/Pipe]Path puede comprometer la seguridad, como también lo puede hacer el uso de <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> permitiendo cualquier extensión * o insegura (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1; etc...). Por favor, revise la sección de seguridad para cada opción en la documentación antes de usarla. + + Breakout Document + - + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>ADVERTENCIA DE SEGURIDAD</font>:</b> Usar <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> y/o <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinación con directivas Open[File/Pipe]Path puede comprometer la seguridad, como también lo puede hacer el uso de <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> permitiendo cualquier extensión * o insegura (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1; etc...). Por favor, revise la sección de seguridad para cada opción en la documentación antes de usarla. + + + Configure which processes can access Desktop objects like Windows and alike. Configura qué procesos pueden acceder objetos de Escritorio como Windows y semejantes. - - + + Port Puerto - - - + + + IP IP - + Protocol Protocolo - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. Precaución: Plataforma de Filtrado de Windows no esta habilitada con el controlador, por lo tanto estas reglas seran aplicadas solo en modo usuario y no pueden ser reforzadas!!! Esto significa que aplicaciones maliciosas pueden saltearlas. - + Other Options Otras Opciones - + Port Blocking Bloqueo de Puerto - + Block common SAMBA ports Bloquear puertos SAMBA comunes - + Block DNS, UDP port 53 Bloquear DNS, UDP puerto 53 - + Quick Recovery Recuperación Rápida - + Immediate Recovery Recuperación Inmediata - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Habilitar que Recuperación Inmediata pueda recuperar archivos tan rapido como son creados. - + Various Options Varias opciones - + Emulate sandboxed window station for all processes Emular ventanas de sandbox para todos los procesos @@ -9122,63 +9253,63 @@ Para especificar un proceso, utiliza '$:program.exe' como ruta.COM/RPC - + Allow use of nested job objects (works on Windows 8 and later) Allow use of nested job objects (experimental, works on Windows 8 and later) Permitir el uso de objetos de trabajos anidados (experimental, funciona en Windows 8 y posterior) - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Deshabilitar el uso de RpcMgmtSetComTimeout por defecto (esto puede resolver temas de compatibilidad) - + Isolation Aislamiento - + Allow sandboxed programs to manage Hardware/Devices Permitir programas en la sandbox administrar Hardware/Dispositivos - + Open access to Windows Security Account Manager Abrir acceso a Administrador de Seguridad de Cuentas de Windows - + Open access to Windows Local Security Authority Abrir acceso a Autoridad de Seguridad Local de Windows - + Security enhancements Mejoras de seguridad - + Use the original token only for approved NT system calls Usar el token original solo para llamadas al sistema NT aprovadas - + Restrict driver/device access to only approved ones Restringir acceso al controlador/dispositivo a solo los aprobados - + Enable all security enhancements (make security hardened box) Habilitar todas las mejoras de seguridad (crear una caja endurecida en seguridad) - + Allow to read memory of unsandboxed processes (not recommended) Permitir leer la memoria de un proceso no aislado (no recomendado) - + Issue message 2111 when a process access is denied Emitir mensaje 2111 cuando se deniega el acceso a un proceso @@ -9187,46 +9318,46 @@ Para especificar un proceso, utiliza '$:program.exe' como ruta.Aislamiento de Acceso - + Triggers Disparadores - + This command will be run before the box content will be deleted Este comando se ejecutará antes de que el contenido de la caja sea borrado - + Event Evento - - - - + + + + Run Command Ejecutar Comando - + Start Service Iniciar Servicio - + These events are executed each time a box is started Estos eventos son excluidos acada vez que la caja es iniciada - + On Box Start Al inicio de la caja - - + + These commands are run UNBOXED just before the box content is deleted Estos comandos son ejecutados fuera de la Sandbox justo despues de que el contenido de la caja es eliminado @@ -9235,53 +9366,53 @@ Para especificar un proceso, utiliza '$:program.exe' como ruta.Al eliminar la caja - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Estos comandos son ejecutados solo cuando la caja es inicializada. Para hacer que se ejecuten de nuevo, el contenido de la caja debe ser eliminado. - + On Box Init Al inicializar la caja - + On Box Terminate Al finalizar la caja - + Here you can specify actions to be executed automatically on various box events. Aqui puede especificar acciones a ser ejecutadas automaticamente en varios eventos de la caja. - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -9290,23 +9421,23 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Nota: Las configuraciones de Programas Forzados y Carpetas Forzadas para una sandbox no se aplican a cuentas de usuario que no pueden usar la sandbox. - + API call Trace (traces all SBIE hooks) Rastreo de llamadas API (rastrea todos los ganchos de SBIE) - + Disable Resource Access Monitor Deshabilitar Monitor de Acceso a Recursos - + Resource Access Monitor Monitor de Acceso a Recursos - - + + Network Firewall Cortafuegos de Red @@ -9315,7 +9446,7 @@ Nota: Las configuraciones de Programas Forzados y Carpetas Forzadas para una san Plantillas/Templates de Compatibilidad - + Add Template Agregar Plantilla @@ -9324,12 +9455,12 @@ Nota: Las configuraciones de Programas Forzados y Carpetas Forzadas para una san Remover Plantilla - + Template Folders Plantillas de Carpetas - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -9338,129 +9469,129 @@ Please note that this values are currently user specific and saved globally for Por favor note que estos valores son especificos para usuario y guardados globalmente para todas las cajas. - - + + Value Valor - + Accessibility Accesibilidad - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Para compensar la perdida de protección, por favor consulte configuración de "Soltar Permisos"en la pagina de seteo de Restricciones de grupo. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Lector de pantallas: JAWS, NVDA, Window-Eyes, Acceso a Sistema - + Restrictions Restricciones - + Apply ElevateCreateProcess Workaround (legacy behaviour) Aplicar solución alternativa para ElevateCreateProcess (comportamiento heredado) - + Use desktop object workaround for all processes Usar comportamiento alternativo de objetos de escritorio para todos los procesos - + On File Recovery Al Recuperar Archivo - + These commands are run UNBOXED after all processes in the sandbox have finished. Estos comandos son ejecutados SIN AISLAR después de que todos los procesos en esta sandbox hayan finalizado. - + Run File Checker Ejecutar Comprobador de Archivos - + On Delete Content Al Borrar Contenido - + Protect processes in this box from being accessed by specified unsandboxed host processes. Protege los procesos en esta caja para evitar que sean accedidos por procesos anfitriones no aislados especificados. - - + + Process Proceso - + DNS Filter Filtro DNS - + Add Filter Añadir Filtro - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. Con el filtro DNS se pueden bloquear dominios individuales, por proceso. Deje la columna de IP vacía para bloquear o introduzca una IP a redireccionar. - + Domain Dominio - + Internet Proxy Proxy de Internet - + Add Proxy Añadir Proxy - + Test Proxy Probar Proxy - + Auth Autenticación - + Login Usuario - + Password Contraseña - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. Los programas aislados pueden ser forzados a que usen un proxy SOCKS5 preestablecido. - + Resolve hostnames via proxy Resolver nombres de host vía proxy @@ -9469,7 +9600,7 @@ Por favor note que estos valores son especificos para usuario y guardados global Límites de proceso - + Limit restrictions Restricción de límites @@ -9478,93 +9609,93 @@ Por favor note que estos valores son especificos para usuario y guardados global Dejar en blanco para deshabilitar (Unidad: KB) - - - + + + Leave it blank to disable the setting Dejar en blanco para deshabilitar - + Total Processes Number Limit: Límite de Número Total de Procesos: - + Total Processes Memory Limit: Límite de Memoria Total de Procesos: - + Single Process Memory Limit: Límite de Memoria de Proceso Individual: - + Bypass IPs - + Restart force process before they begin to execute - + Add Option Añadir Opción - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. Aquí puedes configurar opciones avanzadas por proceso para mejorar la compatibilidad y/o personalizar el comportamiento del aislamiento. - + Option Opción - + Privacy - + Hide Network Adapter MAC Address - + Hide Firmware Information Hide Firmware Informations - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Don't allow sandboxed processes to see processes running outside any boxes No permitir que los procesos aislados vean procesos ejecutándose fuera de las cajas @@ -9579,47 +9710,47 @@ Por favor note que estos valores son especificos para usuario y guardados global Algunos programas leen detalles del sistema mediante WMI (una base de datos integrada de Windows) en vez de métodos normales. Por ejemplo, "tasklist.exe" podría obtener la lista completa de procesos incluso si "HideOtherBoxes" está abierto accediento por WMI. Habilita esta opción para detener estos comportamientos. - + DNS Request Logging Registro de peticiones DNS - + Syscall Trace (creates a lot of output) Rastreo de Syscall (crea una gran cantidad de salida) - + Templates Plantillas - + Open Template Abrir Plantilla - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. La configuración siguiente habilita el uso de Sandboxie en combinación con software de accesibilidad. Por favor note que algunas medidas de seguridad de Sandboxie se pierden cuando esta configuración esta activo. - + Edit ini Section Editar sección ini - + Edit ini Editar ini - + Cancel Cancelar - + Save Guardar @@ -9636,7 +9767,7 @@ Por favor note que estos valores son especificos para usuario y guardados global ProgramsDelegate - + Group: %1 Grupo: %1 @@ -9644,7 +9775,7 @@ Por favor note que estos valores son especificos para usuario y guardados global QObject - + Drive %1 Unidad %1 @@ -9652,27 +9783,27 @@ Por favor note que estos valores son especificos para usuario y guardados global QPlatformTheme - + OK OK - + Apply Aplicar - + Cancel Cancelar - + &Yes &Si - + &No &No @@ -9686,12 +9817,12 @@ Por favor note que estos valores son especificos para usuario y guardados global SandboxiePlus - Recuperacion - + Delete Borrar - + Close Cerrar @@ -9715,12 +9846,12 @@ Por favor note que estos valores son especificos para usuario y guardados global Agregar Carpeta - + Recover Recuperar - + Refresh Actualizar @@ -9729,12 +9860,12 @@ Por favor note que estos valores son especificos para usuario y guardados global Eliminar todo - + Show All Files Mostrar todos los archivos - + TextLabel EtiquetaTexto @@ -9802,7 +9933,7 @@ Por favor note que estos valores son especificos para usuario y guardados global Opciones Generales - + Hotkey for terminating all boxed processes: Atajo para terminar todos los procesos en sandbox: @@ -9815,7 +9946,7 @@ Por favor note que estos valores son especificos para usuario y guardados global Usar Tema Oscuro (totalmente aplicado luego de reiniciar) - + Systray options Opciones de bandeja de sistema @@ -9828,12 +9959,12 @@ Por favor note que estos valores son especificos para usuario y guardados global Abrir URLs de esta IU dentro de una sandbox - + Run box operations asynchronously whenever possible (like content deletion) Ejecutar operaciones de la sandbox asincrónicamente cuando sea posible (como eliminación de contenido) - + Open urls from this ui sandboxed Abrir URLs de esta IU de forma aislada @@ -9843,451 +9974,451 @@ Por favor note que estos valores son especificos para usuario y guardados global Opciones Generales - + Show boxes in tray list: Mostrar cajas en la lista de bandeja: - + Add 'Run Un-Sandboxed' to the context menu Agregar 'Ejecutar fuera de Sandbox" al menu de contexto - + Show a tray notification when automatic box operations are started Mostrar una notificación de bandeja cuando operaciones automaticas en una caja son iniciadas - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie podría emitir <a href="sbie://docs/sbiemessages">Mensajes de SBIE</a> al Registro de Mensajes y mostrarlos como Pop-ups. Algunos mensajes son informativos y notifican de un evento común, o en algunos casos especial, que ha ocurrido, otros mensajes indican una condición de error.<br />Puede ocultar mensajes seleccionados de SBIE para que no aparezcan en pop-up, utilizando la siguiente lista: - + Disable SBIE messages popups (they will still be logged to the Messages tab) Deshabilitar pop-ups de mensajes de SBIE (estos seguirán siendo recogidos en la pestaña Mensajes) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * una casilla de verificación parcialmente marcada dejará que el comportamiento sea determinado por el modo de visualización. - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list Ocultar procesos propios de Sandboxie de la lista de tareas - - + + Interface Options Display Options Opciones de Interfaz - + Ini Editor Font Fuente de editor Ini - + Graphic Options Opciones gráficas - + Hotkey for bringing sandman to the top: Tecla de acceso rápido para traer a Sandman al frente: - + Hotkey for suspending process/folder forcing: Tecla de acceso rápido para suspender forzado de proceso/carpeta: - + Hotkey for suspending all processes: Hotkey for suspending all process Atajo para suspender todos los procesos: - + Check sandboxes' auto-delete status when Sandman starts Comprobar estado de auto-eliminación de las sandboxes cuando SandMan arranca - + Integrate with Host Desktop Integrar con Escritorio Anfitrión - + System Tray Bandeja del sistema - + Open/Close from/to tray with a single click Abrir/Cerra de/a bandeja del sistema con una única pulsación - + Minimize to tray Minimizar a bandeja - + Select font Elegir fuente - + Reset font Restablecer fuente - + Ini Options Opciones de Ini - + # # - + External Ini Editor Editor de ini externo - + Add-Ons Manager Gestor de extensiones - + Optional Add-Ons Extensiones opcionales - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus ofrece numerosas opciones y soporta una amplia gama de extensiones. En esta página, puede configurar la integración de extensiones, plugins y otros componentes de terceros. Los componentes opcionales se pueden descargar de la web, y ciertas instalaciones pueden requerir privilegios administrativos. - + Status Estado - + Version Versión - + Description Descripción - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">actualizar lista de extensiones ahora</a> - + Install Instalar - + Add-On Configuration Configuración de extensión - + Enable Ram Disk creation Habilitar la creación de Disco de Ram - + kilobytes kilobytes - + Assign drive letter to Ram Disk Asignar letra de disco al Disco de Ram - + Disk Image Support Soporte de Imagen de Disco - + RAM Limit Límite de RAM - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Instalar el controlador ImDisk</a> para habilitar el soporte para Disco de Ram e Imagen de Disco. - + Hide SandMan windows from screen capture (UI restart required) Esconder ventana de SandMan para las capturas de pantalla (reinicio de IU requerido) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. Cuando un Disco de Ram ya se ha montado necesita desmontarlo para que esta opción tenga efecto. - + * takes effect on disk creation * se aplica en la creación de disco - + Sandboxie Support Patrocinio de Sandoxie - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Este certificado de patrocinador ha expirado, por favor <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obtenga un certificado actualizado</a>. - + Get Obtener - + Retrieve/Upgrade/Renew certificate using Serial Number Obtener/Actualizar/Renovar certificando usando Número de Serie - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Guía de uso de certificado</a> - + HwId: 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits - + Cert Info - + Sandboxie Updater Actualizador de Sandboxie - + Keep add-on list up to date Mantener listado de extensiones actualizado - + Update Settings Ajustes de actualizaciones - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. El canal Interno ofrece acceso anticipado a nuevas funciones y correcciones de errores que eventualmente serán lanzadas al público, así como todas las mejoras relevantes del canal estable. A diferencia del canal de vista previa, no incluye cambios no probados, potencialmente problemáticos o experimentales que podrían no estar listos para un uso más amplio. - + Search in the Insider channel Buscar en el canal Interno - + New full installers from the selected release channel. Nuevos instaladores completos del canal de lanzamientos seleccionado. - + Full Upgrades Actualizaciones Completas - + Check periodically for new Sandboxie-Plus versions Comprobar periódicamente por nuevas versiones de Sandboxie-Plus - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> Más acerca del <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Canal Interno</a> - + Keep Troubleshooting scripts up to date Mantener scripts de resolución de problemas actualizados - + Update Check Interval Intervalo de búsqueda de actualizaciones - + Activate Kernel Mode Object Filtering Activar Modo Filtrado de Objeto Kernel - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Enganchar llamadas de sistema Win32k seleccionadas para habilitar acceleración de GPU (experimental) - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) Añadir grupo "Sandboxie\All Sandboxes" al token aislado (experimental) - + Always run SandMan UI as Admin - + Open Template Abrir Plantilla - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Cuenta y muestra el espacio de disco ocupado por cada sandbox - + Use Compact Box List Utilizar lista compacta de cajas - + Interface Config Configuración de Interfaz - + Make Box Icons match the Border Color Hacer que los iconos de la Caja coincidan con el color de borde - + Use a Page Tree in the Box Options instead of Nested Tabs * Usa un Árbol de Páginas en las Opciones de Caja en lugar de Pestañas Anidadas * - + This option also enables asynchronous operation when needed and suspends updates. Esta opción también habilita operaciones asíncronas cuando sean necesarias y suspende actualizaciones. - + Suppress pop-up notifications when in game / presentation mode Suprime las notificaciones emergentes cuando estés en modo juego / presentación - + Show file recovery window when emptying sandboxes Mostrar ventana de recuperación de archivo al vaciar sandboxes - + Use large icons in box list * Usar íconos largos el lista de cajas * - + High DPI Scaling Gran escalado DPI - + Don't show icons in menus * No mostrar íconos en menús * - + Use Dark Theme Usar tema oscuro - + Font Scaling Escalado de fuente - + (Restart required) (Reinicio requerido) - + Show the Recovery Window as Always on Top Mostrar la ventana de recuperación siempre al frente - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Mostrar fondo de pantalla de "Pizza" en el listado de cajas * - + % % - + Alternate row background in lists Color de fondo alterno en filas de listas - + Use Fusion Theme Usar tema Fusión - + Recovery Options Opciones de Recuperación @@ -10297,240 +10428,250 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Opciones de SandMan - + Notifications Notificaciones - + Add Entry Añadir Entrada - + Show file migration progress when copying large files into a sandbox Mostrar progreso de migración de archivo al copiar archivos grandes en una sandbox - + Message ID ID de mensaje - + Message Text (optional) Texto de mensaje (opcional) - + SBIE Messages Mensajes de SBIE - + Delete Entry Borrar Entrada - + Notification Options Opciones de Notificación - + Windows Shell Shell de Windows - + Start Menu Integration Integración del Menú Inicio - + Scan shell folders and offer links in run menu Escanear carpetas del shell y ofrecer enlaces en el menú de ejecución - + Integrate with Host Start Menu Integrar con Menú Inicio del ordenador - + Move Up Mover Arriba - + Move Down Mover Abajo - + User Interface Interfaz de usuario - + Use new config dialog layout * Utilizar el nuevo diseño del cuadro de diálogo de configuración * - + Show overlay icons for boxes and processes Mostrar iconos de superposición para cajas y procesos - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Los patrocinadores del proyecto Sandboxie-Plus pueden recibir un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de patrocinador</a>. Es como una clave de licencia, pero para personas increíbles que usan software de código abierto. :-) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + USB Drive Sandboxing Aislamiento de unidades USB - + Volume Volumen - + Information Información - + Sandbox for USB drives: Sandbox para dispositivos USB: - + Automatically sandbox all attached USB drives Aislar automáticamente todas las unidades USB conectadas - + App Templates Plantillas de Aplicacion - + App Compatibility Compatibilidad de aplicación - + Local Templates Plantillas locales - + Add Template Agregar Plantilla - + Text Filter Filtro de Texto - + This list contains user created custom templates for sandbox options Esta lista contiene plantillas personalizadas creadas por el usuario para las opciones de sandbox - + Run Menu Menú de ejecución - + Add program Añadir programa - + You can configure custom entries for all sandboxes run menus. Puede configurar entradas personalizadas para todos los menús de ejecución de las sandboxes. - - - + + + Remove Eliminar - + Command Line Línea de Comandos - + Support && Updates Patrocinio y Actualizaciones - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Mantener Sandboxie actualizado con las versiones continuas de Windows y compatible con todos los navegadores web es una tarea interminable. Puede apoyar el desarrollo <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">contribuyendo directamente al proyecto</a>, mostrando su apoyo <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">comprando un certificado de patrocinador</a>, convirtiéndose en patrocinador al <a href="https://sandboxie-plus.com/go.php?to=patreon">suscribirse en Patreon</a>, o mediante una <a href="https://sandboxie-plus.com/go.php?to=donate">donación por PayPal</a>.<br />Su apoyo juega un papel crucial en el avance y mantenimiento de Sandboxie. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Parches rápidos para la versión instalada, actualizaciones del Templates.ini y traducciones. - + Incremental Updates Version Updates Actualizaciones Incrementales - + The preview channel contains the latest GitHub pre-releases. El canal previo incluye los últimos prelanzamientos de GitHub. - + The stable channel contains the latest stable GitHub releases. El canal estable incluye los últimos lanzamientos estales de GitHub. - + Search in the Stable channel Buscar en el canal Estable - + Default sandbox: Sandbox predeterminada: - + Sandboxie Config Configuración de Sandboxie - + Use a Sandboxie login instead of an anonymous token Usar un inicio de sesión de Sandboxie en vez de un token anónimo - + Sandboxie.ini Presets Ajustes de Sandboxie.ini - + Program Alerts Alertas de programa - + Issue message 1301 when forced processes has been disabled Emitir mensaje 1301 cuando un proceso forzado se ha deshabilitado @@ -10539,22 +10680,22 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Compatibilidad - + Edit ini Section Editar Sección ini - + Save Guardar - + Edit ini Editar ini - + Cancel Cancelar @@ -10563,7 +10704,7 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Soporte - + Search in the Preview channel Buscan en el canal Previo @@ -10580,7 +10721,7 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Verificar periodicamente por actualizaciones de Sandboxie-Plus - + In the future, don't notify about certificate expiration En el futuro, no notificar sobre certificados al exprirar @@ -10589,17 +10730,17 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Requiere reinicio (!) - + Start UI with Windows Iniciar UI con Windows - + Add 'Run Sandboxed' to the explorer context menu Agregar 'Ejecutar en Sandbox' al menu de contexto del explorador - + On main window close: En ventana principal cerrar: @@ -10608,7 +10749,7 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Opciones de bandeja de sistema - + Start UI when a sandboxed process is started Iniciar UI cuando un proceso es iniciado en sandbox @@ -10621,38 +10762,38 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Opciones Avanzadas - + Config protection Protección de configuración - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: - + Clear password when main window becomes hidden Borrar contraseña cuando la ventana principal se oculta - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command Solo cuentas de usuario de Administrador puede usar el comando Desactivar Programas Forzados - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Sandbox <a href="sbie://docs/filerootpath">file system root</a>: - + Show recoverable files as notifications Mostrar archivos recuperables como notificaciones @@ -10662,37 +10803,37 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Lenguage de Interfaz de Usuario: - + Show Icon in Systray: Mostrar Ícono en la bandeja de sistema: - + Shell Integration Integración Shell - + Run Sandboxed - Actions Ejecutar en Sandbox - Acciones - + Always use DefaultBox Usar siempre la Sandbox por defecto - + Start Sandbox Manager Iniciar Administrador de Sandbox - + Advanced Config Configuración avanzada - + Use Windows Filtering Platform to restrict network access Usar Plataforma de Filtrado de Windows para restringir acceso a red @@ -10701,7 +10842,7 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Carpetas de usuario separadas - + Sandboxing features Características de Sandbox @@ -10710,7 +10851,7 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Patrocinadores de el projecto Sandboxie-Plus reciben un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de patrocinador</a>. Es como una llave de licencia pero para gente maravillosa que usa software libre. :-) - + Program Control Control de Programa @@ -10719,17 +10860,17 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Configuración de Protección - + Only Administrator user accounts can make changes Solo usuarios Administrador pueden hacer cambios - + Password must be entered in order to make changes Para realizar cambios debe ingresar contraseña - + Change Password Cambiar contraseña @@ -10738,7 +10879,7 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Mantener Sandboxie actualizado con lanzamientos de actualizaciones de Windows y compatibilidad con navegadores es una tarea que nunca termina. Por favor considere patrocinar este trabajo con una donación.<br />Ud. puede patrocinar el desarrollo con una <a href="https://sandboxie-plus.com/go.php?to=donate">donación PayPal</a>, tambien con tarjetas de credito.<br />O puede proveer de patrocinamiento continuo con <a href="https://sandboxie-plus.com/go.php?to=patreon">Suscripción Patreon</a>. - + Enter the support certificate here Ingrese el certificado de patrocinador aqui @@ -10747,17 +10888,17 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Configuración de soporte - + Portable root folder Carpeta raiz portable - + ... ... - + Sandbox default Sandbox por defecto @@ -10766,7 +10907,7 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Otras configuraciones - + Watch Sandboxie.ini for changes Observar cambios en Sandboxie.ini @@ -10775,46 +10916,46 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Restricciones de Programas - - - - - + + + + + Name Nombre - + Path Ruta - + Remove Program Eliminar Programa - + Add Program Agregar Programa - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Cuando cualquiera de estos programas es ejecutado fuera de cualquier sandbox, Sandboxie mostrara el mensaje SBIE1301. - + Add Folder Agregar Carpeta - + Prevent the listed programs from starting on this system Prevenir los programas listados de iniciarse en este sistema - + Issue message 1308 when a program fails to start Mostrar mensaje 1308 cuando un programa falla al iniciar @@ -10823,22 +10964,22 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Compatibilidad de Software - + In the future, don't check software compatibility El el futuro, no verificar compatibilidad de software - + Enable Habilitar - + Disable Deshabilitar - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie ha detectado los siguientes programas en su sistemas. Haga click en OK para aplicar la configuracion, lo cual mejora la compatibilidad de esos programas. Estas configuraciones afectan a todas las sandboxes existentes y nuevas. @@ -10862,37 +11003,37 @@ A diferencia del canal de vista previa, no incluye cambios no probados, potencia Nombre: - + Description: Descripción: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Al eliminar el contenido de una instantánea, esta se restaurará en vez de ninguna. - + Default snapshot Instantánea por defecto - + Snapshot Actions Acciones de Instantáneas - + Remove Snapshot Eliminar Instantáneas - + Go to Snapshot Ir a Instantánea - + Take Snapshot Tomar una Instantánea diff --git a/SandboxiePlus/SandMan/sandman_fr.ts b/SandboxiePlus/SandMan/sandman_fr.ts index b0679c57..0ebdcbb0 100644 --- a/SandboxiePlus/SandMan/sandman_fr.ts +++ b/SandboxiePlus/SandMan/sandman_fr.ts @@ -9,53 +9,53 @@ Formulaire - + kilobytes kilo-octets - + Protect Box Root from access by unsandboxed processes Protéger la racine du bac de l'accès par des processus externes au bac - - + + TextLabel ÉtiquetteTexte - + Show Password Afficher le mot de passe - + Enter Password Saisir le mot de passe - + New Password Mot de passe : - + Repeat Password Répéter le mot de passe : - + Disk Image Size Taille d'image disque - + Encryption Cipher Clé de chiffrement - + Lock the box when all processes stop. Verrouille le bac quand tous les processus s'arrêtent. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? Voulez-vous télécharger et installer %1 ? - + Installing: %1 Installation : %1 - + Add-on not found, please try updating the add-on list in the global settings! Module introuvable ; veuillez essayer de mettre à jour la liste des modules dans les paramètres généraux ! - + Add-on Not Found Module introuvable - + Add-on is not available for this platform Addon is not available for this paltform Le module est indisponible pour cette plateforme - + Missing installation instructions Missing instalation instructions Instructions d'installation manquantes - + Executing add-on setup failed Échec d'exécution de l'installeur du module - + Failed to delete a file during add-on removal Échec de suppression d'un fichier lors de la désinstallation du module - + Updater failed to perform add-on operation Updater failed to perform plugin operation Échec du programme de mise à jour à effectuer une opération de module - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 Échec du programme de mise à jour à effectuer une opération de module ; erreur : %1 - + Do you want to remove %1? Voulez-vous supprimer %1 ? - + Removing: %1 Suppression : %1 - + Add-on not found! Module introuvable ! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Options de bac avancées - + On this page advanced sandbox options can be configured. Sur cette page peuvent être configurées les options de bac avancées. @@ -191,34 +191,34 @@ Utiliser un identifiant de Sandboxie au lieu d'un jeton anonyme - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Empêcher les programmes d'un bac installé sur l'hôte de charger des DLL depuis le bac - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. Cette fonction peut réduire la compatibilité car elle empêche également les processus situés dans les bacs d'écrire à ceux situés sur l'hôte et même de les démarrer. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. Cette fonction peut provoquer un déclin de l'expérience utilisateur, car elle empêche également les captures d'écran normales. - + Shared Template Modèle partagé - + Shared template mode Mode de modèle partagé : - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -229,52 +229,62 @@ Pour modifier les paramètres du modèle, trouvez simplement le modèle « %1 » Pour désactiver ce modèle pour un bac, décochez-le simplement de la liste des modèles. - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. Cette option n'ajoute aucun paramètre à la configuration du bac et ne supprime pas les paramètres de bac par défaut même s'il existe des paramètres de suppression à l'intérieur du modèle. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. Cette option ajoute le modèle partagé à la configuration du bac en tant que modèle local et peut également supprimer les paramètres de bac par défaut en fonction des paramètres de suppression à l'intérieur du modèle. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. Cette option ajoute les paramètres du modèle partagé à la configuration du bac et peut également supprimer les paramètres de bac par défaut en fonction des paramètres de suppression à l'intérieur du modèle. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. Cette option n'ajoute aucun paramètre à la configuration du bac, mais peut supprimer les paramètres de bac par défaut en fonction des paramètres de suppression à l'intérieur du modèle. - + Remove defaults if set Supprimer ceux par défaut si définis - + + Shared template selection + Choix de modèle partagé + + + + This option specifies the template to be used in shared template mode. (%1) + Cette option définit le modèle qui sera utilisé dans le mode « Modèle partagé ». (%1) + + + Disabled Désactivé - + Advanced Options Options avancées - + Prevent sandboxed windows from being captured Empêcher les fenêtres des bacs d'être capturées - + Use as a template Utiliser comme modèle - + Append to the configuration Ajouter à la configuration @@ -404,17 +414,17 @@ Pour désactiver ce modèle pour un bac à sable, décochez-le simplement dans l Saisir le mot de passe de chiffrement pour importer l'archive : - + kilobytes (%1) kilo-octets (%1) - + Passwords don't match!!! Les mots de passe ne correspondent pas !!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -423,7 +433,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are Il est recommandé de choisir un mot de passe comportant 20 caractères ou plus. Êtes-vous sûr de vouloir utiliser un mot de passe court ? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -432,7 +442,7 @@ Cette longueur permet environ 384 bits d'entropie avec une phrase secrète 512 bits lors de l'utilisation de « leet speak » (L337), et plus de 768 bits lorsqu'elle est composée de caractères ASCII imprimables complètement aléatoires. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. L'image de disque du bac doit avoir une taille d'au moins 256 Mio ; 2 Gio sont recommandés. @@ -448,22 +458,22 @@ Cette longueur permet environ 384 bits d'entropie avec une phrase secrète CBoxTypePage - + Create new Sandbox Création d'un nouveau bac à sable - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. Un bac à sable isole votre système hôte des processus lancés dans le bac ; il les empêche de faire des modifications permanentes à d'autres programmes ou données de votre ordinateur. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Un bac à sable isole le système hôte des processus lancés dans le bac. Cela les empêche de faire des modifications permanentes aux autres programmes ou aux données de votre ordinateur. Le niveau d'isolation affecte la sécurité mais aussi la compatibilité avec les applications, c'est pourquoi il y a différents niveaux d'isolation en fonction du type de bac choisi. Sandboxie peut aussi empêcher l'accès à vos données personnelles aux processus tournant sous sa supervision. - + Enter box name: Saisir le nom du bac : @@ -472,18 +482,18 @@ Cette longueur permet environ 384 bits d'entropie avec une phrase secrète Nouveau bac - + Select box type: Sellect box type: Choisir le type de bac : - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> À <a href="sbie://docs/security-mode">sécurité renforcée</a> avec <a href="sbie://docs/privacy-mode">protection des données</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -492,59 +502,59 @@ Il limite l'accès aux données de l'utilisateur de manière stricte, Le profil complet de l'utilisateur demeure masqué, assurant ainsi une sécurité maximale. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox À <a href="sbie://docs/security-mode">sécurité renforcée</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Ce type de bac offre le plus haut niveau de protection en résuisant de manière significative la surface d'attaque exposée aux processus dans le bac. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Avec <a href="sbie://docs/privacy-mode">protection des données</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. Avec ce type de bac, les processus dans le bac sont empêchés d'accéder aux fichiers ou données de l'utilisateur. L'accent est mis sur la protection des données d'utilisateur, et ainsi, seuls les répertoires « C:\Windows » et « C:\Program Files » sont accessibles aux processus lancés dans ce bac. Ceci garantit que les fichiers personnels restent sécurisés. - + Standard Sandbox Standard - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Ce type de bac offre le comportement par défaut de la version classique de Sandboxie. Il fournit aux utilisateurs un schéma de mise en bac familier et fiable. Les applications peuvent être lancées dans ce bac, en s'assurant qu'elles opèrent dans un espace contrôlé et isolé. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/compartment-mode">Conteneur d'applications</a> avec <a href="sbie://docs/privacy-mode">protection des données</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Ce type de bac donne la priorité à la compatibilité tout en fournissant un bon niveau d'isolation. Il est destiné à lancer des applications fiables dans des compartiments séparés. Bien que le niveau d'isolation soit réduit par rapport à d'autres types de bac, il offre une compatibilité améliorée avec un large éventail d'applications, assurant des opérations fluides au sein de l'environnement du bac. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">Conteneur d'applications</a> - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">Chiffrer</a> le contenu du bac et le régler sur <a href="sbie://docs/black-box">« Confidentiel »</a> @@ -553,7 +563,7 @@ Bien que le niveau d'isolation soit réduit par rapport à d'autres ty Bac <a href="sbie://docs/black-box">confidentiel</a> <a href="sbie://docs/boxencryption">chiffré</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -562,42 +572,42 @@ Lorsqu'il est monté, l'accès au disque virtuel est restreint aux pro Cela offre le niveau ultime de confidentialité et de protection des données au sein d'un environnement de bac confidentiel. - + Hardened Sandbox with Data Protection Renforcé avec protection des données - + Security Hardened Sandbox À sécurité renforcée - + Sandbox with Data Protection Avec protection des données - + Standard Isolation Sandbox (Default) À isolation standard (par défaut) - + Application Compartment with Data Protection Conteneur d'applications avec protection des données - + Application Compartment Box Conteneur d'applications - + Confidential Encrypted Box Chiffré et confidentiel - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? Afin d'utiliser des bacs chiffrés, vous devez installer le pilote ImDisk. Voulez-vous le télécharger puis l'installer ? @@ -607,17 +617,17 @@ Cela offre le niveau ultime de confidentialité et de protection des données au Conteneur d'applications (SANS isolation) - + Remove after use Supprimer après utilisation - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Après la fermeture du dernier processus dans le bac, toutes les données du bac ainsi que le bac lui-même seront supprimés. - + Configure advanced options Configurer les options avancées @@ -838,13 +848,13 @@ Veuillez naviguer vers le dossier de profil d'utilisateur adéquat. <b><a href="_"><font color='red'>Get a free evaluation certificate</font></a> and enjoy all premium features for %1 days.</b> - + <b><a href="_"><font color='red'>Obtenez un certificat d'évaluation gratuit</font></a> et bénéficiez de toutes les fonctions bonus pendant %1 jours.</b> You can request a free %1-day evaluation certificate up to %2 times per hardware ID. You can request a free %1-day evaluation certificate up to %2 times for any one Hardware ID - + Vous pouvez demander un certificat d'évaluation gratuit valide %1 jours jusquà %2 fois par ID matérielle. @@ -909,36 +919,64 @@ Vous pouvez appuyer sur « Terminer » pour fermer cet assistant. Sandboxie-Plus - Exportation du bac à sable - + + 7-Zip + 7-Zip + + + + Zip + Zip + + + Store Stockage - + Fastest La plus rapide - + Fast Rapide - + Normal Normale - + Maximum Maximale - + Ultra Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + Sandboxie-Plus - Importation de bac + + + + Select Directory + Choisir un répertoire + + + + This name is already in use, please select an alternative box name + Ce nom est déjà utilisé ; veuillez choisir un nom de bac alternatif + + CFileBrowserWindow @@ -1008,13 +1046,13 @@ Vous pouvez appuyer sur « Terminer » pour fermer cet assistant. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure Emplacement et comportement du bac - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -1023,64 +1061,64 @@ You can use %USER% to save each users sandbox to an own fodler. Utilisez « %USER% » pour enregistrer le bac de chaque utilisateur dans son propre dossier. - + Sandboxed Files Fichiers dans le bac - + Select Directory Choisir le répertoire - + Virtualization scheme Schéma de virtualisation : - + Version 1 Version 1 - + Version 2 Version 2 - + Separate user folders Séparer les dossiers d'utilisateurs - + Use volume serial numbers for drives Utiliser les numéros de série de volume des lecteurs - + Auto delete content when last process terminates Supprimer automatiquement le contenu lorsque le dernier processus prend fin - + Enable Immediate Recovery of files from recovery locations Activer la récupération immédiate des fichiers depuis les emplacements de récupération - + The selected box location is not a valid path. The sellected box location is not a valid path. L'emplacement de bac choisi n'est pas un chemin valide. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? L'emplacement de bac choisi n'est pas vide ; il est recommandé de choisir un répertoire nouveau ou vide. Êtes-vous sûr de vouloir utiliser un dossier existant ? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. L'emplacement de bac choisi n'est pas situé sur un lecteur actuellement disponible. @@ -1226,83 +1264,83 @@ Utilisez « %USER% » pour enregistrer le bac de chaque utilisateur dans son pro CIsolationPage - + Sandbox Isolation options Options d'isolation du bac - + On this page sandbox isolation options can be configured. Sur cette page, les options d'isolation de bac peuvent être configurées. - + Network Access Accès réseau - + Allow network/internet access Autoriser l'accès au réseau/à Internet - + Block network/internet by denying access to Network devices Bloquer le réseau/Internet en refusant l'accès aux périphériques réseau - + Block network/internet using Windows Filtering Platform Bloquer le réseau/Internet en utilisant la plateforme de filtrage Windows - + Allow access to network files and folders Autoriser l'accès aux fichiers et dossiers du réseau - - + + This option is not recommended for Hardened boxes Cette option n'est pas recommandée pour les bacs renforcés - + Prompt user whether to allow an exemption from the blockade Demande à l'utilisateur s'il faut accorder une exemption au blocage - + Admin Options Options d'administrateur - + Drop rights from Administrators and Power Users groups Abandonner les droits des groupes Administrateurs et Utilisateurs Avancés - + Make applications think they are running elevated Faire croire aux applications qu'elles ont des privilèges élevés - + Allow MSIServer to run with a sandboxed system token Autoriser MSIServer à s'exécuter dans le bac avec un jeton système - + Box Options Options du bac - + Use a Sandboxie login instead of an anonymous token Utiliser un identifiant de Sandboxie au lieu d'un jeton anonyme - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. L'utilisation d'un jeton de Sandboxie personnalisé permet de mieux isoler les bacs à sable individuels entre eux, et d'afficher dans la colonne Utilisateurs des gestionnaires des tâches le nom du bac dans lequel un processus s'exécute. Certaines solutions de sécurité tierces peuvent cependant avoir des problèmes avec les jetons personnalisés. @@ -1422,24 +1460,25 @@ Utilisez « %USER% » pour enregistrer le bac de chaque utilisateur dans son pro Le contenu de ce bac sera placé dans un fichier conteneur chiffré. Veuillez noter que toute corruption de l'en-tête de ce conteneur rendra tout son contenu inaccessible de manière permanente. Une corruption peut survenir à la suite d'un « écran bleu de la mort », d'un échec matériel du stockage, ou d'une application malveillante qui écraserait des fichiers au hasard. Cette fonction est fournie sous réserve d'accepter cette politique stricte de <b>Pas de Sauvegarde, Pas de Pitié</b> ; VOUS, l'utilisateur, êtes responsables des données que vous placez dans un bac chiffré.<br /><br />SI VOUS ACCEPTEZ DE PRENDRE TOUTE LA RESPONSABILITÉ DE VOS DONNÉES APPUYEZ SUR [OUI], AUTREMENT APPUYEZ SUR [NON]. - + Add your settings after this line. Ajoutez vos paramètres après cette ligne. - + + Shared Template Modèle partagé - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. Le nouveau bac a été créé en utilisant le nouveau <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">schéma de virtualisation version 2</a>. Si vous rencontrez des problèmes inattendus avec ce bac, veuillez basculer le schéma de virtualisation sur la version 1 et signaler le problème. Cette option se trouve dans les paramètres du bac, dans « Options des fichiers » -> « Structure de bac ». - + Don't show this message again. Ne plus afficher ce message @@ -1455,7 +1494,7 @@ Utilisez « %USER% » pour enregistrer le bac de chaque utilisateur dans son pro COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1467,38 +1506,38 @@ Do you still want to update? Voulez-vous quand même mettre à jour ? - + Do you want to check if there is a new version of Sandboxie-Plus? Voulez-vous vérifier s'il existe une nouvelle version de Sandboxie-Plus ? - + Don't show this message again. Ne plus afficher ce message - + Checking for updates... Vérification des mises à jour... - + server not reachable serveur inaccessible - - + + Failed to check for updates, error: %1 Échec de la vérification des mises à jour, erreur : %1 - + <p>Do you want to download the installer?</p> <p>Voulez-vous télécharger l'installeur ?</p> - + <p>Do you want to download the updates?</p> <p>Voulez-vous télécharger les mises à jour ?</p> @@ -1507,70 +1546,70 @@ Voulez-vous quand même mettre à jour ? <p>Voulez-vous aller sur la <a href="%1">page de mise à jour</a> ?</p> - + Don't show this update anymore. Ne plus afficher cette mise à jour. - + Downloading updates... Téléchargement des mises à jour... - + invalid parameter paramètre invalide - + failed to download updated information failed to download update informations échec du téléchargement des informations de mise à jour - + failed to load updated json file failed to load update json file échec du chargement de la mise à jour du fichier json - + failed to download a particular file échec de téléchargement d'un fichier en particulier - + failed to scan existing installation échec de l'analyse de l'installation existante - + updated signature is invalid !!! update signature is invalid !!! la signature mise à jour est invalide !!! - + downloaded file is corrupted le fichier téléchargé est corrompu - + internal error erreur interne - + unknown error erreur inconnue - + Failed to download updates from server, error %1 Échec du téléchargement des mises à jour depuis le serveur ; erreur %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Des mises à jour pour Sandboxie-Plus ont été téléchargées.</p><p>Voules-vous appliquer ces mises à jour ? Si des programmes sont lancés dans des bacs à sable, ils seront arrêtés.</p> @@ -1579,7 +1618,7 @@ Voulez-vous quand même mettre à jour ? Échec du téléchargement du fichier depuis : %1 - + Downloading installer... Téléchargement de l'installeur... @@ -1588,17 +1627,17 @@ Voulez-vous quand même mettre à jour ? Échec du téléchargement de l'installeur depuis : %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Un nouvel installeur pour Sandboxie-Plus a été téléchargé à l'endroit suivant :</p><p><a href="%2">%1</a></p><p>Voulez-vous commencer l'installation ? Si des programmes sont lancés dans des bacs à sable, ils seront arrêtés.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Voulez-vous aller à la <a href="%1">page d'information</a> ?</p> - + Don't show this announcement in the future. Ne plus afficher cette annonce @@ -1607,7 +1646,7 @@ Voulez-vous quand même mettre à jour ? <p>Une nouvelle version de Sandboxie-Plus est disponible.<br /><font color='red'>Nouvelle version :</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Une nouvelle version de Sandboxie-Plus est disponible.<br /><font color='red'><b>Nouvelle version :</b></font> <b>%1</b></p> @@ -1616,7 +1655,7 @@ Voulez-vous quand même mettre à jour ? <p>Voulez-vous télécharger la dernière version ?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Voulez-vous aller à la <a href="%1" page de téléchargement</a> ?</p> @@ -1625,7 +1664,7 @@ Voulez-vous quand même mettre à jour ? Ne plus afficher ce message - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1661,9 +1700,9 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la COptionsWindow - - + + Browse for File Choisir un fichier @@ -1822,21 +1861,21 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la - - + + Select Directory Sélectionner le répertoire - + - - - - + + + + @@ -1846,12 +1885,12 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Tous les programmes - - + + - - + + @@ -1885,8 +1924,8 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la - - + + @@ -1903,141 +1942,141 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Veuillez entrer une commande d'exécution automatique - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Active l'utilisation des crochets win32 pour les processus sélectionnés. Remarque : vous devez d'abord activer globalement la prise en charge des crochets d'appel système win32k. - + Enable crash dump creation in the sandbox folder Active la création des copies brutes de plantage dans le dossier du bac. - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Toujours utiliser le correctif ElevateCreateProcess, tel qu'appliqué parfois par l'Assistant de Compatibilité. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes Active le comportement particulier PreferExternalManifest, nécessaire pour certains correctifs pour Edge. - + Set RpcMgmtSetComTimeout usage for specific processes Définit l'utilisation de RpcMgmtSetComTimeout pour des processus spécifiques. - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Fait échouer un appel d'ouverture en écriture sur un fichier qui ne sera pas copié, au lieu de le passer en lecture seule. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. Fait en sorte que les processus définis pensent qu'ils ont des privilèges d'administrateur. - + Force specified processes to wait for a debugger to attach. Force les processus définis à attendre la jonction d'un débogueur. - + Sandbox file system root Racine du système de fichiers du bac. - + Sandbox registry root Racine du registre du bac. - + Sandbox ipc root Racine IPC du bac. - - + + bytes (unlimited) octets (illimité) - - + + bytes (%1) octets (%1) - + unlimited illimité - + Add special option: Ajouter une option particulière : - - + + On Start Au démarrage - - - - - + + + + + Run Command Lancer une commande - + Start Service Démarrer un service - + On Init Lors de l'initialisation - + On File Recovery Lors de la récupération de fichiers - + On Delete Content Lors de la suppression de contenu - + On Terminate Lors de l'arrêt - + Please enter a program file name to allow access to this sandbox Veuillez saisir un nom de fichier de programme pour lequel autoriser l'accès à ce bac - + Please enter a program file name to deny access to this sandbox Veuillez saisir un nom de fichier de programme pour lequel empêcher l'accès à ce bac - + Failed to retrieve firmware table information. Échec de récupération des informations de la table du microgiciel. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. Table du microgiciel enregistrée avec succès dans le registre de l'hôte : « HKEY_CURRENT_USER\System\SbieCustom »<br />Vous pouvez la copier dans le registre d'un bac afin d'avoir des valeurs différentes pour chaque bac. @@ -2046,11 +2085,11 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la À la suppression - - - - - + + + + + Please enter the command line to be executed Saisir la ligne de commande à exécuter @@ -2059,48 +2098,74 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Veuillez saisir le nom de fichier d'un programme - + Deny Refuser - + %1 (%2) %1 (%2) - - + + Process Processus - - + + Folder Dossier - + Children Enfants - - - + + Document + + + + + + Select Executable File Choisir le fichier exécutable - - - + + + Executable Files (*.exe) Fichiers exécutables (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? Le forçage de l'entrée indiquée empêchera très probablement Windows de fonctionner. Êtes-vous sûr de vouloir continuer ? @@ -2185,130 +2250,130 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Conteneur d'applications - + Custom icon Icône personnalisée - + Version 1 Version 1 - + Version 2 Version 2 - + Browse for Program Explorer pour un programme - + Open Box Options Ouvrir les options du bac - + Browse Content Parcourir le contenu - + Start File Recovery Lancer la récupération de fichiers - + Show Run Dialog Afficher la boite de dialogue « Exécuter » - + Indeterminate Indéterminé - + Backup Image Header Sauvegarder l'en-tête de l'image - + Restore Image Header Restaurer l'en-tête de l'image - + Change Password Modifier le mot de passe - - + + Always copy Toujours copier - - + + Don't copy Ne pas copier - - + + Copy empty Copier si vide - + kilobytes (%1) kilo-octets (%1) - + Select color Sélectionner une couleur - + The image file does not exist Le fichier d'image n'existe pas - + The password is wrong Le mot de passe est erroné - + Unexpected error: %1 Erreur inattendue : %1 - + Image Password Changed Le mot de passe de l'image a été modifié - + Backup Image Header for %1 Sauvegarder l'en-tête de l'image pour %1 - + Image Header Backuped En-tête de l'image sauvegardé - + Restore Image Header for %1 Restaurer l'en-tête de l'image pour %1 - + Image Header Restored En-tête de l'image restauré @@ -2317,7 +2382,7 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Veuillez entrer un chemin de programme - + Select Program Sélectionner le programme @@ -2326,7 +2391,7 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Exécutables (*.exe *.cmd);;Tous les fichiers (*.*) - + Please enter a service identifier Veuillez saisir un identifiant de service @@ -2339,18 +2404,18 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Programme - + Executables (*.exe *.cmd) Exécutables (*.exe *.cmd) - - + + Please enter a menu title Veuillez saisir un titre de menu - + Please enter a command Veuillez saisir une commande @@ -2429,7 +2494,7 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Saisie : l'IP ou le port ne peut être vide - + Allow @@ -2574,63 +2639,63 @@ Veuillez choisir un dossier contenant ce fichier. Voulez-vous vraiment supprimer le modèle local sélectionné ? - + Sandboxie Plus - '%1' Options Sandboxie Plus - Paramètres de « %1 » - + File Options Options des fichiers - + Grouping Groupement - + Add %1 Template Ajouter un modèle pour : %1 - + Search for options Search for Options Rechercher dans les options - + Box: %1 Bac : %1 - + Template: %1 Modèle : %1 - + Global: %1 Global : %1 - + Default: %1 Par défaut : %1 - + This sandbox has been deleted hence configuration can not be saved. Ce bac a été supprimé, par conséquent la configuration ne peut pas être enregistrée. - + Some changes haven't been saved yet, do you really want to close this options window? Certaines modifications n'ont pas encore été enregistrées ; voulez-vous vraiment fermer cette fenêtre d'options ? - + Enter program: Saisir le programme : @@ -2682,12 +2747,12 @@ Veuillez choisir un dossier contenant ce fichier. CPopUpProgress - + Dismiss Fermer - + Remove this progress indicator from the list Supprimer cet indicateur de progression de la liste @@ -2695,42 +2760,42 @@ Veuillez choisir un dossier contenant ce fichier. CPopUpPrompt - + Remember for this process Mémoriser pour ce processus - + Yes Oui - + No Non - + Terminate Arrêter - + Yes and add to allowed programs Oui et ajouter aux programmes autorisés - + Requesting process terminated Processus de demande arrêté - + Request will time out in %1 sec La demande expirera dans %1 seconde(s) - + Request timed out Demande expirée @@ -2738,67 +2803,67 @@ Veuillez choisir un dossier contenant ce fichier. CPopUpRecovery - + Recover to: Récupérer vers : - + Browse Parcourir - + Clear folder list Effacer la liste des dossiers - + Recover Récupérer - + Recover the file to original location Récupérer le fichier vers son emplacement d'origine - + Recover && Explore Récupérer et parcourir - + Recover && Open/Run Récupérer et ouvrir/exécuter - + Open file recovery for this box Ouvrir la récupération de fichiers pour ce bac - + Dismiss Rejeter - + Don't recover this file right now Ne pas récupérer ce fichier maintenant - + Dismiss all from this box Rejeter tout de ce bac - + Disable quick recovery until the box restarts Désactiver la récupération rapide jusqu'à ce que le bac redémarre - + Select Directory Sélectionner le répertoire @@ -2938,37 +3003,42 @@ Chemin complet : %4 - + Select Directory Sélectionner le répertoire - + + No Files selected! + + + + Do you really want to delete %1 selected files? Voulez-vous vraiment supprimer le ou les %1 fichiers sélectionnés ? - + Close until all programs stop in this box Fermer jusqu'à ce que tous les programmes de ce bac soient arrêtés - + Close and Disable Immediate Recovery for this box Fermer et désactiver la récupération immédiate pour ce bac - + There are %1 new files available to recover. Nouveaux fichiers disponibles pour une récupération : %1 - + Recovering File(s)... Récupération du ou des fichiers... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Il y a %1 fichier(s) et %2 dossier(s) dans le bac, occupant %3 d'espace disque. @@ -3127,22 +3197,22 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no CSandBox - + Waiting for folder: %1 Dossier en attente : %1 - + Deleting folder: %1 Suppression du dossier : %1 - + Merging folders: %1 &gt;&gt; %2 Fusion des dossiers : %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Finalisation de la fusion des instantanés... @@ -3150,7 +3220,7 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no CSandBoxPlus - + Disabled Désactivé @@ -3163,32 +3233,32 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no NON SÉCURISÉ (Configuration de débogage) - + OPEN Root Access OUVRIR l'accès Racine - + Application Compartment Conteneur d'applications - + NOT SECURE NON SÉCURISÉ - + Reduced Isolation Isolation réduite - + Enhanced Isolation Isolation renforcée - + Privacy Enhanced Confidentialité renforcée @@ -3197,32 +3267,32 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Journal API - + No INet (with Exceptions) Sans Internet (avec des exceptions) - + No INet Sans Internet - + Net Share Partage réseau - + No Admin Sans administrateur - + Auto Delete Suppression automatique - + Normal Normal @@ -3334,12 +3404,12 @@ Veuillez vérifier s'il y a une mise à jour pour Sandboxie. Voulez-vous ignorer l'assistant d'installation ? - + Failed to configure hotkey %1, error: %2 Échec de configuration du raccourci %1 ; erreur : %2 - + The evaluation period has expired!!! The evaluation periode has expired!!! La période d'évaluation a expiré !!! @@ -3362,17 +3432,17 @@ Veuillez vérifier s'il y a une mise à jour pour Sandboxie. Importation : %1 - + No Recovery Pas de récupération - + No Messages Pas de message - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -3381,47 +3451,47 @@ This file is part of Sandboxie and all changed done to it will be reverted next Ce fichier fait partie de Sandboxie et toute modification faite sur lui sera annulée la prochaine fois que Sandboxie sera mis à jour. - + Import/Export not available, 7z.dll could not be loaded Importation/Exportation non disponible ; 7z.dll n'a pas pu être chargé - + Failed to create the box archive Échec de création de l'archive du bac - + Failed to open the 7z archive Échec d'ouverture de l'archive 7z - + Failed to unpack the box archive Échec de décompression de l'archive du bac - + The selected 7z file is NOT a box archive Le fichier 7z choisi n'est PAS une archive de bac - + Reset Columns Réinitialiser les colonnes - + Copy Cell Copier la cellule - + Copy Row Copier la rangée - + Copy Panel Copier le tableau @@ -3729,7 +3799,7 @@ Ce fichier fait partie de Sandboxie et toute modification faite sur lui sera ann - + About Sandboxie-Plus À propos de Sandboxie-Plus @@ -3956,27 +4026,27 @@ Ce fichier fait partie de Sandboxie et toute modification faite sur lui sera ann Bac à sable USB introuvable ; création : %1 - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />Vous devez être de niveau « Grand contributeur Patreon » ou plus pour débloquer cette fonction. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>À propos de Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 Cette copie de Sandboxie-Plus est attestée pour : %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie-Plus est gratuit pour une utilisation personnelle et non commerciale. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus est la poursuite en code source ouvert de Sandboxie.<br />Visitez <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> pour plus d'informations.<br /><br />%2<br /><br />Fonctions : %3<br /><br />Installation : %1<br />SbieDrv.sys : %4<br /> SbieSvc.exe : %5<br /> SbieDll.dll : %6<br /><br />Icônes provenant de <a href="https://icons8.com">icons8.com</a> @@ -3991,145 +4061,145 @@ Veuillez vérifier s'il y a une mise à jour pour Sandboxie. Votre version de Windows excède les capacités de prise en charge de votre version de Sandboxie. Par conséquent, Sandboxie essaiera d'utiliser les derniers offsets connus, ce qui peut entrainer une instabilité du système. - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. Le bac %1 est configuré pour utiliser des fonctions disponibles exclusivement aux adhérents au projet. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. Le bac %1 est configuré pour utiliser des fonctions qui nécessitent un certificat d'adhérent <b>avancé</b>. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Mettez à jour votre certificat</a> afin de débloquer les fonctions avancées. - + The selected feature requires an <b>advanced</b> supporter certificate. La fonction choisie nécessite un certificat d'adhérent <b>avancé</b>. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> La fonction choisie est uniquement disponible aux adhérents au projet.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Devenez un adhérent au projet</a>, et recevez un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificat d'adhérent</a>. - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! Le certificat que vous essayez d'utiliser a été bloqué, ce qui veut dire qu'il a été invalidé pour une bonne raison. Toute tentative de l'utiliser constitue une violation de ses conditions d'utilisation ! - + The Certificate Signature is invalid! La signature du certificat est invalide ! - + The Certificate is not suitable for this product. Le certificat ne convient pas à ce produit. - + The Certificate is node locked. Le certificat est verrouillé par nœud. - + The support certificate is not valid. Error: %1 Le certificat d'adhérent est invalide. Erreur : %1 - - + + Don't ask in future Ne plus demander - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? Voulez-vous arrêter tous les processus dans les bacs à sable chiffrés, puis démonter ces derniers ? - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>ERREUR :</b> Le gestionnaire de Sandboxie-Plus (SandMan.exe) n'a pas une signature valide (SandMan.exe.sig). Veuillez télécharger une version fiable depuis la <a href="https://sandboxie-plus.com/go.php?to=sbie-get">page de téléchargement officielle</a>. - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. Tous les processus d'un bac doivent être arrêtés avant qu'il puisse être renommé. - + Failed to move box image '%1' to '%2' Échec du déplacement de l'image du bac « %1 » vers « %2 » - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted Le contenu d'un bac non monté ne peut pas être supprimé - + %1 %1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? Voulez-vous ouvrir %1 dans un navigateur web dans un bac ou en dehors ? - + Sandboxed Dans un bac à sable - + Unsandboxed Hors de tout bac à sable - + Case Sensitive Sensible à la casse - + RegExp Regex - + Highlight Surligner - + Close Fermer - + &Find ... &Rechercher... - + All columns Toutes les colonnes @@ -4196,9 +4266,9 @@ Voulez-vous faire la purge ? - - - + + + Don't show this message again. Ne plus afficher ce message @@ -4267,19 +4337,19 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Supression automatisée du contenu de %1 - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Erreur - + Failed to stop all Sandboxie components Échec de l'arrêt de tous les composants de Sandboxie - + Failed to start required Sandboxie components Impossible de démarrer les composants requis de Sandboxie @@ -4359,27 +4429,27 @@ No will choose: %2 « Non » choisira : %2 - + Please enter the duration, in seconds, for disabling Forced Programs rules. Veuillez saisir la durée (en secondes) de suspension du forçage des programmes. - + The supporter certificate is not valid for this build, please get an updated certificate Le certificat d'adhérent n'est pas valide pour cette version, veuillez obtenir un certificat à jour - + The supporter certificate has expired%1, please get an updated certificate Ce certificat d'adhérent a expiré%1, veuillez obtenir un certificat à jour - + , but it remains valid for the current build , mais il reste valide pour la version actuelle - + The supporter certificate will expire in %1 days, please get an updated certificate Le certificat d'adhérent expirera dans %1 jour(s), veuillez obtenir un certificat mis à jour @@ -4410,20 +4480,20 @@ No will choose: %2 - NON connecté - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Le programme %1 lancé dans le bac %2 sera arrêté dans 5 minutes car le bac a été configuré pour utiliser des fonctions uniquement disponibles aux adhérents du projet. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Le bac %1 est configuré pour utiliser des fonctions uniquement disponibles aux adhérents du projet ; ces réglages seront donc ignorés. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Devenez un adhérent du projet</a>, et recevez un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificat d'adhérent</a>. @@ -4440,7 +4510,7 @@ No will choose: %2 %1 (%2) : - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> La fonction sélectionnée n'est disponible qu'aux adhérents au projet. Les processus lancés dans un bac avec cette fonction activée sans certificat d'adhérent seront arrêtés après 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Devenez un adhérent du projet</a>, et recevez un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificat d'adhérent</a>. @@ -4503,22 +4573,22 @@ No will choose: %2 - + Only Administrators can change the config. Seuls les administrateurs peuvent modifier la configuration. - + Please enter the configuration password. Veuillez saisir le mot de passe de la configuration. - + Login Failed: %1 Échec de la connexion : %1 - + Do you want to terminate all processes in all sandboxes? Voulez-vous arrêter tous les processus dans tous les bacs à sable ? @@ -4531,92 +4601,92 @@ No will choose: %2 Veuillez saisir la durée de désactivation du forçage des programmes. - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus a été démarré en mode portable et doit maintenant créer les services nécessaires. Cela demandera des privilèges d'administrateur. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. ATTENTION : Un autre agent (probablement SbieCtrl.exe) gère déjà cette session de Sandboxie, veuillez le fermer d'abord et vous reconnecter pour prendre le contrôle. - + Maintenance operation failed (%1) Échec de l'opération de maintenance (%1) - + Maintenance operation completed Opération de maintenance terminée - + Executing maintenance operation, please wait... Exécution de l'opération de maintenance, veuillez patienter... - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Dans l'interface de la version Plus, cette fonction a été intégrée à l'affichage principal de la liste des bacs à sable. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. En utilisant le menu contextuel Bac/Groupe, vous pouvez déplacer les bacs et les groupes vers d'autres groupes. Vous pouvez également utiliser le glisser-déposer pour déplacer les éléments. Alternativement, vous pouvez aussi utiliser les touches fléchées tout en maintenant ALT enfoncée pour déplacer les éléments vers le haut ou le bas au sein de leur groupe.<br />Vous pouvez créer de nouveaux bacs et groupes depuis le menu du bac. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Voulez-vous également réinitialiser les messages masqués des bacs (oui), ou seulement tous les messages du journal (non) ? - + The changes will be applied automatically whenever the file gets saved. Les modifications seront appliquées automatiquement à chaque fois que le fichier sera enregistré. - + The changes will be applied automatically as soon as the editor is closed. Les modifications seront appliquées automatiquement dès que l'éditeur sera fermé. - + Sandboxie config has been reloaded La configuration de Sandboxie a été rechargée - + Error Status: 0x%1 (%2) Statut de l'erreur : 0x%1 (%2) - + Unknown Inconnu - + All sandbox processes must be stopped before the box content can be deleted Tous les processus du bac doivent être arrêtés pour que son contenu puisse être supprimé - + Failed to copy box data files Échec de la copie des fichiers de données du bac - + Failed to remove old box data files Échec de la suppression des fichiers de données de l'ancien bac - + The operation was canceled by the user L'opération a été annulée par l'utilisateur - + Unknown Error Status: 0x%1 Code erreur inconnu : 0x%1 @@ -4654,77 +4724,77 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Statut d'erreur : %1 - + Administrator rights are required for this operation. Les droits d'administrateur sont nécessaires pour cette opération. - + Failed to execute: %1 Échec de l'exécution : %1 - + Failed to connect to the driver Échec de la connexion au pilote - + Failed to communicate with Sandboxie Service: %1 Échec de la communication avec le service Sandboxie : %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Une version (%1) de Sandboxie incompatible a été trouvée. Versions compatibles : %2 - + Can't find Sandboxie installation path. Impossible de trouver le chemin d'installation de Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Échec de la copie de la configuration du bac %1 : %2 - + A sandbox of the name %1 already exists Un bac du nom de %1 existe déjà - + Failed to delete sandbox %1: %2 Échec de la suppression du bac %1 : %2 - + The sandbox name can not be longer than 32 characters. Le nom du bac ne peut pas comporter plus de 32 caractères. - + The sandbox name can not be a device name. Le nom du bac ne peut pas être un nom de périphérique. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Le nom du bac ne peut contenir que des lettres, des chiffres et des traits de soulignement qui seront affichés comme des espaces. - + Failed to terminate all processes Échec de l'arrêt de tous les processus. - + Delete protection is enabled for the sandbox La protection contre la suppression est activée pour ce bac. - + Error deleting sandbox folder: %1 Erreur lors de la suppression du dossier du bac : %1 @@ -4733,22 +4803,22 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Un bac à sable doit être vidé avant de pouvoir être renommé. - + A sandbox must be emptied before it can be deleted. Un bac doit être vidé avant de pouvoir être supprimé. - + Failed to move directory '%1' to '%2' Impossible de déplacer le dossier « %1 » vers « %2 » - + This Snapshot operation can not be performed while processes are still running in the box. Cette opération d’instantané ne peut pas être effectuée lorsque des processus sont encore en cours dans le bac. - + Failed to create directory for new snapshot Impossible de créer un répertoire pour le nouvel instantané @@ -4771,22 +4841,22 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Configuration actuelle : %1 - + Snapshot not found Instantané introuvable - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Erreur de fusion des répertoires de l'instantané « %1 » avec « %2 », l'instantané n'a pas été entièrement fusionné. - + Failed to remove old snapshot directory '%1' Impossible de supprimer l'ancien répertoire de l'instantané « %1 » - + Can't remove a snapshot that is shared by multiple later snapshots Impossible de supprimer un instantané qui est partagé par plusieurs autres instantanés @@ -4795,27 +4865,27 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Impossible de supprimer l'ancienne base de données - + You are not authorized to update configuration in section '%1' Vous n'êtes pas autorisé à mettre à jour la configuration dans la section « %1 » - + Failed to set configuration setting %1 in section %2: %3 Échec de la définition du paramètre de configuration %1 dans la section %2 : %3 - + Can not create snapshot of an empty sandbox Impossible de créer un instantané d'un bac vide. - + A sandbox with that name already exists Un bac portant ce nom existe déjà - + The config password must not be longer than 64 characters Le mot de passe de la configuration ne doit pas comporter plus de 64 caractères @@ -4824,7 +4894,7 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Statut d'erreur inconnu : %1 - + Operation failed for %1 item(s). L'opération a échoué pour %1 objet. @@ -4833,7 +4903,7 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Voulez-vous ouvrir %1 dans un navigateur web dans le bac à sable (oui) ou en dehors (non) ? - + Remember choice for later. Mémoriser ce choix pour plus tard. @@ -5175,38 +5245,38 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la CSbieTemplatesEx - + Failed to initialize COM Échec d'initialisation COM - + Failed to create update session Échec de création de la session de mise à jour - + Failed to create update searcher Échec de création de la recherche de mise à jour - + Failed to set search options Échec de définition des options de recherche - + Failed to enumerate installed Windows updates Failed to search for updates Échec d'énumération des mises à jour Windows installées - + Failed to retrieve update list from search result Échec de récupération de la liste de mise à jour depuis les résultats de la recherche - + Failed to get update count Échec d'obtention du décompte des mises à jour @@ -5214,8 +5284,8 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la CSbieView - - + + Create New Box Créer un nouveau bac @@ -5224,53 +5294,53 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Ajouter un groupe - + Remove Group Supprimer le ou les groupes - - + + Run Exécuter - + Run Program Exécuter un programme - + Run from Start Menu Exécuter à partir du menu Démarrer - + Standard Applications Applications standard - + Default Web Browser Navigateur web par défaut - + Default eMail Client Client de messagerie par défaut - + Windows Explorer Explorateur de fichiers - + Registry Editor Éditeur de registre - + Programs and Features Programmes et fonctions @@ -5290,39 +5360,39 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Invite de commandes (32 bits) - + Terminate All Programs Arrêter tous les programmes - - - - - + + + + + Create Shortcut Créer un raccourci - - + + Explore Content Explorer le contenu - - + + Snapshots Manager Gestionnaire d'instantanés - + Recover Files Récupération de fichiers - - + + (Host) Start Menu Menu Démarrer (de l'hôte) @@ -5331,82 +5401,82 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Plus d'outils - + Browse Files Parcourir les fichiers - - + + Mount Box Image Monter une image de bac - - + + Unmount Box Image Démonter une image de bac - - + + Delete Content Supprimer le contenu - + Sandbox Presets Préréglages du bac - + Ask for UAC Elevation Demander l'élévation des privilèges avec le contrôle de compte d'utilisateur - + Drop Admin Rights Abandonner les droits d'administrateur - + Emulate Admin Rights Émuler les droits d'administrateur - + Block Internet Access Bloquer l'accès à Internet - + Allow Network Shares Autoriser les partages réseau - + Sandbox Options Options du bac - + Disable Force Rules Désactiver les règles de forçage - - + + Sandbox Tools Outils du bac - + Duplicate Box Config Dupliquer la configuration du bac - - + + Rename Sandbox Renommer le bac @@ -5415,57 +5485,57 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Déplacer vers le groupe - - + + Remove Sandbox Supprimer le ou les bacs - - + + Terminate Arrêter - + Preset Présélection - - + + Pin to Run Menu Épingler au menu Exécuter - - + + Import Box Importer un bac - + Block and Terminate Bloquer et arrêter - + Allow internet access Autoriser l'accès à Internet - + Force into this sandbox Forcer dans ce bac à sable - + Set Linger Process https://sandboxie-plus.com/sandboxie/lingerprocess/ Définir comme processus persistant - + Set Leader Process https://sandboxie-plus.com/sandboxie/leaderprocess/ Définir comme processus directeur @@ -5475,159 +5545,162 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Exécuter dans le bac - + Run Web Browser Exécuter le navigateur web - + Run eMail Reader Exécuter le client de messagerie - + Run Any Program Exécuter un programme - + Run From Start Menu Exécuter depuis le menu Démarrer - + Run Windows Explorer Exécuter l'explorateur de fichiers - + Terminate Programs Arrêter les programmes - + Quick Recover Récupération rapide - + Sandbox Settings Paramètres du bac - + Duplicate Sandbox Config Dupliquer la configuration du bac - + Export Sandbox Exporter le bac - + Move Group Déplacer le ou les groupes - + File root: %1 Racine des fichiers : %1 - + Registry root: %1 Racine du registre : %1 - + IPC root: %1 Racine IPC : %1 - + Disk root: %1 Racine du disque : %1 - + Options: Options : - + [None] [Aucun] - + Failed to open archive, wrong password? Échec d'ouverture de l'archive ; mot de passe erroné ? - + Failed to open archive (%1)! Échec d'ouverture de l'archive (%1) ! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + Archive 7-Zip (*.7z) ; Archive Zip (*.zip) + + This name is already in use, please select an alternative box name - Ce nom est déjà utilisé ; veuillez choisir un nom de bac alternatif + Ce nom est déjà utilisé ; veuillez choisir un nom de bac alternatif - Importing Sandbox - + Importation du bac - Do you want to select custom root folder? - + Voulez-vous choisir un dossier racine personnalisé ? - + Importing: %1 Importation : %1 - + Please enter a new group name Veuillez saisir un nouveau nom de groupe - + Do you really want to remove the selected group(s)? Voulez-vous vraiment supprimer le ou les groupes sélectionnés ? - - + + Create Box Group Créer un groupe de bacs - + Rename Group Renommer le groupe - - + + Stop Operations Arrêter les Opérations - + Command Prompt Interpréteur de commandes @@ -5636,54 +5709,54 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Outils dans le bac à sable - + Command Prompt (as Admin) Interpréteur de commandes (en tant qu'administrateur) - + Command Prompt (32-bit) Interpréteur de commandes (32 bits) - + Execute Autorun Entries Exécuter les Entrées d'Autorun - + Export Box Exporter le bac - - + + Move Sandbox Déplacer le ou les bacs - + Browse Content Parcourir le contenu - + Box Content Contenu du bac - + Open Registry Ouvrir le registre - - + + Refresh Info Actualiser les informations - + Immediate Recovery Récupération immédiate @@ -5696,19 +5769,19 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Déplacer le bac/groupe - - + + Move Up Monter - - + + Move Down Descendre - + Please enter a new name for the Group. Veuillez saisir un nouveau nom pour le groupe. @@ -5717,108 +5790,106 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Le nom de groupe est déjà utilisé. - + Move entries by (negative values move up, positive values move down): Déplacer les entrées de (les valeurs négatives font monter, positives font descendre) : - + A group can not be its own parent. Un groupe ne peut pas être son propre parent. - + The Sandbox name and Box Group name cannot use the ',()' symbol. Le nom de bac et le nom de groupe du bac ne peuvent pas utiliser le symbole « ,() ». - + This name is already used for a Box Group. Ce nom est déjà utilisé pour un groupe. - + This name is already used for a Sandbox. Ce nom de bac est déjà utilisé. - - - + + + Don't show this message again. Ne plus afficher ce message. - - - + + + This Sandbox is empty. Ce bac est vide. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. ATTENTION : L'éditeur de registre qui va s'ouvrir n'est pas dans un bac ; faites attention et ne modifiez que les emplacements pré-sélectionnés des bacs. - + Don't show this warning in future Ne plus afficher cet avertissement - + Please enter a new name for the duplicated Sandbox. Veuillez saisir un nouveau nom pour le bac dupliqué. - + %1 Copy %1 - Copie - - + + Select file name Choisir un nom de fichier - + Suspend Mettre en pause - + Resume Reprendre - - 7-zip Archive (*.7z) - Archive 7-zip (*.7z) + Archive 7-zip (*.7z) - + Exporting: %1 Exportation : %1 - + Please enter a new name for the Sandbox. Veuillez saisir un nouveau nom pour le bac. - + Please enter a new alias for the Sandbox. Veuillez saisir un nouvel alias pour le bac. - + The entered name is not valid, do you want to set it as an alias instead? Le nom saisi n'est pas valide ; à la place, voulez-vous le définir en tant qu'alias ? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? Voulez-vous vraiment supprimer le ou les bacs à sable sélectionnés ? <br /><br />Attention : Le contenu de ces bacs sera aussi supprimé ! @@ -5828,24 +5899,24 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Supression du contenu %1 - + This Sandbox is already empty. Ce bac est déjà vide. - - + + Do you want to delete the content of the selected sandbox? Voulez-vous supprimer le contenu du bac sélectionné ? - - + + Also delete all Snapshots Supprimer aussi tous les instantanés - + Do you really want to delete the content of all selected sandboxes? Voulez-vous vraiment supprimer le contenu de tous les bacs à sable sélectionnés ? @@ -5854,36 +5925,36 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Voulez-vous vraiment supprimer le contenu de plusieurs bacs à sable ? - + Do you want to terminate all processes in the selected sandbox(es)? Voulez-vous arrêter tous les processus dans le ou les bacs à sable sélectionnés ? - - + + Terminate without asking Arrêter sans demander - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Le menu Démarrer de Sandboxie va maintenant s'afficher. Choisissez une application depuis le menu, et Sandboxie créera une icône de nouveau raccourci sur votre bureau véritable, que vous pouvez utiliser pour invoquer l'application choisie sous la supervision de Sandboxie. - - + + Create Shortcut to sandbox %1 Créer un raccourci vers le bac à sable %1 - + Do you want to terminate %1? Do you want to %1 %2? Voulez-vous arrêter %1 ? - + the selected processes les processus sélectionnés @@ -5892,12 +5963,12 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Voulez-vous %1 le ou les processus sélectionnés ? - + This box does not have Internet restrictions in place, do you want to enable them? Ce bac n'a pas de restrictions d'accès à Internet en place ; voulez-vous les activer ? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Ce bac est actuellement désactivé ou restreint à un ou plusieurs groupes/utilisateurs spécifiques. Voulez-vous accorder l'accès à tout le monde ? @@ -5942,7 +6013,7 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - Paramètres généraux @@ -5960,116 +6031,116 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Protection de la configuration - + Auto Detection Détection automatique - + No Translation Pas de traduction - - + + Don't integrate links Ne pas intégrer les liens - - + + As sub group En tant que sous-groupe - - + + Fully integrate Intégrer totalement - + Don't show any icon Don't integrate links Ne pas afficher - + Show Plus icon Afficher l'icône Plus - + Show Classic icon Afficher l'icône classique - + All Boxes Tous les bacs - + Active + Pinned Actifs + Épinglés - + Pinned Only Épinglés uniquement - + Close to Tray Réduire dans la zone de notification - + Prompt before Close la fenêtre Demander avant de fermer - + Close Fermer - + None Aucune - + Native Native - + Qt Qt - + Ignore Ignorer - + %1 %1 % %1 % - - - + + + Run &Sandboxed Exécuter dans un bac à &sable - + Sandboxed Web Browser Navigateur web dans un bac à sable @@ -6078,7 +6149,7 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Ce certificat d'adhérent a expiré, veuillez <a href="sbie://update/cert">obtenir un certificat à jour</a>. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>Pour la version actuelle, les fonctions Plus demeurent activées</font>, mais vous n'avez plus accès aux services Sandboxie-Live, incluant les mises à jour de compatibilité et la base de données de dépannage. @@ -6087,12 +6158,12 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Ce certificat d'adhérent va <font color='red'>expirer dans %1 jour(s)</font>, veuillez <a href="sbie://update/cert">obtenir une mise à jour du certificat</a>. - + Run &Un-Sandboxed Exécuter &hors de tout bac à sable - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Cela ne semble pas être un certificat. Veuillez saisir le certificat dans son intégralité, et non uniquement une partie. @@ -6102,252 +6173,252 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la Cela ne semble pas être un certificat, veuillez entrer le certificat dans son intégralité. - + Search for settings Search for Settings Rechercher dans les paramètres - - + + Notify Avertir - + Every Day Tous les jours - + Every Week Toutes les semaines - + Every 2 Weeks Toutes les 2 semaines - + Every 30 days Tous les 30 jours - - + + Download & Notify Télécharger & avertir - - + + Download & Install Télécharger & installer - + Browse for Program Rechercher un programme - + Add %1 Template Ajouter un modèle pour : %1 - + HwId: %1 HwId : %1 - + Select font Choisir la police - + Reset font Réinitialiser la police - + %0, %1 pt %0, %1 pt - + Please enter message Veuillez saisir l'identifiant du message - + Select Program Sélectionner le programme - + Executables (*.exe *.cmd) Exécutables (*.exe *.cmd) - - + + Please enter a menu title Veuillez saisir un titre de menu - + Please enter a command Veuillez saisir une commande - + kilobytes (%1) kilo-octets (%1) - + Volume not attached Volume non branché - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - - - - - <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - - - - - You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + <b>Vous avez utilisé %1/%2 certificats d'évaluation. Plus aucun certificat gratuit ne peut être créé.</b> + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> + <b><a href="_">Obtenez un certificat d'évaluation gratuit</a> et bénéficiez de toutes les fonctions bonus pendant %1 jours.</b> + + + + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. + Vous pouvez demander un certificat d'évaluation gratuit valide %1 jours jusqu'à %2 fois par ID matérielle. + + + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Ce certificat d'adhérent a expiré, veuillez <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obtenir un certificat à jour</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Les fonctions « Plus » seront désactivées dans %1 jour(s).</font> - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Ce certificat d'adhérent va <font color='red'>expirer dans %1 jour(s)</font>, veuillez <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obtenir une mise à jour du certificat</a>. - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Le certificat d'évaluation a été appliqué avec succès. Appréciez votre essai gratuit ! Retreiving certificate... Récupération du certificat... - + Contributor Contributeur - + Eternal Éternel - + Business Entreprise - + Personal Personnel - + Great Patreon Grand contributeur Patreon - + Patreon Contributeur Patreon - + Family Famille - + Evaluation Évaluation - + Type %1 Type %1 - + Advanced Avancé - + Advanced (L) "M" stands for "Moins"; denotes an advanced certificate but one with Less features than a fully advanced one (one any patreon tier gets in contrast to one the great patron and above get). Avancé (M) - + Max Level Niveau max - + Level %1 Niveau %1 - + Supporter certificate required for access Certificat d'adhérent nécessaire pour l'accès - + Supporter certificate required for automation Certificat d'adhérent nécessaire pour l'automatisation - + Set Force in Sandbox Toujours forcer dans un bac à sable - + Set Open Path in Sandbox Toujours ouvrir ce chemin dans un bac à sable - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Ce certificat est malheureusement invalide pour la version actuelle, vous avez besoin d'obtenir un nouveau certificat ou de rétrograder à une version moins récente. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Bien que ce certificat ait expiré, les fonctions Plus demeurent activées pour la version actuellement installée. Cependant, vous n'aurez plus accès aux services Sandboxie-Live, incluant les mises à jour de compatibilité et la base de données de dépannage en ligne. - + This certificate has unfortunately expired, you need to get a new certificate. Ce certificat a malheureusement expiré, vous avez besoin d'en obtenir un nouveau. @@ -6356,115 +6427,116 @@ Remarque : La recherche de mise à jour est souvent en retard par rapport à la <br /><font color='red'>Pour cette version, les fonctions « Plus » demeurent activées.</font> - + <br />Plus features are no longer enabled. <br />Les fonctions « Plus » ne sont plus activées. - + Expires in: %1 days Expires: %1 Days ago - + Expire dans : %1 jour(s) - + Expired: %1 days ago - + A expiré : il y a %1 jour(s) - + Options: %1 - + Options : %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - + Bacs à la sécurité/confidentialité renforcée & bacs d'applications (SBox) : %1 - - - - + + + + Enabled - + Activé - - - - + + + + Disabled - Désactivé + Désactivé - + Encrypted Sandboxes (EBox): %1 - + Bacs chiffrés (EBox) : %1 - + Network Interception (NetI): %1 - + Interception réseau (NetI) : %1 - + Sandboxie Desktop (Desk): %1 - + Bureau Sandboxie (Desk) : %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. Ceci ne ressemble pas à un numéro de série de Sandboxie-Plus.<br />Si vous avez essayé de saisir la clé de mise à jour ou la signature d'un certificat, c'est incorrect : à la place, veuillez saisir le certificat en entier dans la zone de texte ci-dessus. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. Vous essayez d'utiliser une fonction « Clé de mise à jour » sans avoir saisi un certificat d'adhérent pré-existant. Veuillez remarquer que ce genre de clé (<b>comme clairement indiqué en gras sur le site web</b) nécessite que vous ayez un certificat d'adhérent pré-existant valide ; c'est inutile sans lui.<br />Si vous voulez utiliser les fonctions avancées, vous devez obtenir à la fois un certificat standard et la clé de mise à jour de fonction pour débloquer la fonction avancée. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. Vous essayez d'utiliser une clé de renouvellement sans avoir saisi un certificat d'adhérent pré-existant. Veuillez remarquer que ce genre de clé (<b>comme clairement indiqué en gras sur le site web</b) nécessite que vous ayez un certificat d'adhérent pré-existant valide ; c'est inutile sans lui. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> <br /><br /><u>Si vous n'avez pas lu la description du produit et obtenu cette clé par erreur, veuillez nous contacter par courriel (fourni sur notre site web) afin de résoudre ce problème.</u> - - + + Retrieving certificate... Récupération du certificat... - + Sandboxie-Plus - Get EVALUATION Certificate - + Sandboxie-Plus - Obtenir un certificat d'ÉVALUATION - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Veuillez saisir votre adresse électronique pour recevoir un certificat d'évaluation gratuit valide %1 jours, qui sera délivré à %2 et verrouillé sur le matériel actuel. +Vous pouvez demander jusqu'à %3 certificats d'évaluation pour chaque ID matérielle unique. - + Error retrieving certificate: %1 Error retriving certificate: %1 Erreur lors de la récupération du certificat : %1 - + Unknown Error (probably a network issue) Erreur inconnue (probablement un problème de réseau) - + Home Accueil @@ -6482,7 +6554,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ce certificat est malheureusement obsolète. - + Thank you for supporting the development of Sandboxie-Plus. Merci pour votre soutien au développement de Sandboxie-Plus. @@ -6491,88 +6563,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ce certificat d'adhérent n'est pas valide. - + Update Available Mise à jour disponible - + Installed Installé - + by %1 par %1 - + (info website) (site web d'information) - + This Add-on is mandatory and can not be removed. Ce module est obligatoire et ne peut pas être supprimé. - - + + Select Directory Sélectionner le dossier - + <a href="check">Check Now</a> <a href="check">Vérifier maintenant</a> - + Please enter the new configuration password. Veuillez saisir le nouveau mot de passe de configuration. - + Please re-enter the new configuration password. Veuillez saisir à nouveau le mot de passe de la configuration. - + Passwords did not match, please retry. Les mots de passe ne correspondent pas, veuillez réessayer. - + Process Processus - + Folder Dossier - + Please enter a program file name Veuillez saisir le nom de fichier du programme - + Please enter the template identifier Veuillez saisir l'identifiant du modèle - + Error: %1 Erreur : %1 - + Do you really want to delete the selected local template(s)? Voulez-vous vraiment supprimer le ou les modèles locaux sélectionnés ? - + %1 (Current) %1 (Actuel) @@ -6826,35 +6898,35 @@ Veuillez le soumettre à nouveau, sans joindre le journal. CSummaryPage - + Create the new Sandbox Création du nouveau bac à sable - + Almost complete, click Finish to create a new sandbox and conclude the wizard. C'est presque fini. Appuyez sur « Terminer » pour créer un nouveau bac et conclure l'assistant. - + Save options as new defaults Enregistrer les options comme nouvelles options par défaut - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) Ne plus afficher le résumé si des options avancées n'ont pas été définies - + This Sandbox will be saved to: %1 Ce bac sera enregistré dans : %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6863,21 +6935,21 @@ This box's content will be DISCARDED when its closed, and the box will be r Le contenu de ce bac sera ÉLIMINÉ lors de sa fermeture, et le bac sera supprimé. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Ce bac ÉLIMINERA son contenu lors de sa fermeture ; cela convient uniquement aux données temporaires. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Les processus de ce bac ne seront pas capables d'accéder à Internet ou au réseau local. Cela garantit que toutes les données consultées restent confidentielles. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6886,14 +6958,14 @@ This box will run the MSIServer (*.msi installer service) with a system token, t Ce bac lancera MSIServer (service d'installation *.msi) avec un jeton système. Cela améliore la compatibilité, mais réduit l'isolation de sécurité. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Les processus de ce bac penseront qu'ils sont lancés avec des privilèges d'administrateur, sans en fait les avoir. Les installeurs seront donc en mesure d'être utilisés même dans un bac à sécurité renforcée. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6902,7 +6974,7 @@ Processes in this box will be running with a custom process token indicating the Les processus dans ce bac seront lancés avec un jeton de processus personnalisé indiquant à quel bac ils appartiennent. - + Failed to create new box: %1 Échec de création du nouveau bac : %1 @@ -7563,35 +7635,75 @@ Si vous êtes déjà « Great Supporter » sur Patreon, Sandboxie peut vérifier Compression des fichiers - + Compression Compression : - + When selected you will be prompted for a password after clicking OK Une fois sélectionné, un mot de passe vous sera demandé après avoir appuyé sur OK. - + Encrypt archive content Chiffrer le contenu de l'archive - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. L'archivage compact améliore les ratios de compression en traitant les fichiers multiples comme un seul bloc continu de données. Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'archive plus compacte mais peut augmenter le temps requis pour l'extraction des fichiers individuels. - + Create Solide Archive Créer une archive compacte - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Exporte le bac dans une archive 7z. Choisissez le ratio ainsi que d'autres paramètres de compression. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Exporte le bac dans une archive. Choisissez le ratio et personnalisez d'autres paramètres de compression. + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Exporte le bac dans une archive 7z. Choisissez le ratio ainsi que d'autres paramètres de compression. + + + + ExtractDialog + + + Extract Files + Extraire les fichiers + + + + Import Sandbox from an archive + Export Sandbox from an archive + Importer le bac depuis une archive + + + + Import Sandbox Name + Importer le nom du bac + + + + Box Root Folder + Dossier racine du bac + + + + ... + ... + + + + Import without encryption + Importer sans chiffrement @@ -7659,113 +7771,114 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Indicateur de bac dans le titre : - + Sandboxed window border: Bordure de fenêtre du bac : - + Double click action: Action du double clic : - + Partially checked means prevent box removal but not content deletion. Partiellement coché veut dire « Empêcher la suppression du bac mais pas celle de son contenu ». - + Separate user folders Séparer les dossiers des utilisateurs - + Box Structure Structure de bac - + Security Options Options de sécurité - + Security Hardening Renforcement de la sécurité - - - - - - + + + + + + + Protect the system from sandboxed processes Protège le système des processus lancés depuis un bac - + Elevation restrictions Restrictions d'élévation des privilèges - + Drop rights from Administrators and Power Users groups Abandonner les droits des groupes Administrateurs et Utilisateurs Avancés - + px Width px de large - + Make applications think they are running elevated (allows to run installers safely) Faire croire aux applications qu'elles fonctionnent en mode administrateur (permet d'exécuter les installeurs en toute sécurité) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. ATTENTION : Lors de l'exécution sous l'administrateur intégré, les processus ne peuvent pas abandonner les privilèges d''administrateur. - + Appearance Apparence - + (Recommended) (Recommandé) - + Show this box in the 'run in box' selection prompt Afficher ce bac dans l'invite de sélection « Exécuter dans un bac à sable » - + File Options Options des fichiers - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Supprimer automatiquement les modifications du contenu lorsque le dernier processus du bac prend fin - + Copy file size limit: Limite de la taille de fichier à copier : - + Box Delete options Options de suppression du bac - + Protect this sandbox from deletion or emptying Protéger ce bac contre la suppression ou le vidage @@ -7774,33 +7887,33 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Accès direct au disque - - + + File Migration Migration de fichiers - + Allow elevated sandboxed applications to read the harddrive Autoriser les applications du bac avec des privilèges élevés à lire le disque - + Warn when an application opens a harddrive handle Avertir lorsqu'une application ouvre un indicateur de fichier du disque - + kilobytes kilo-octets - + Issue message 2102 when a file is too large Émettre un message 2102 lorsqu'un fichier est trop volumineux - + Prompt user for large file migration Demander avant de migrer des fichiers volumineux @@ -7809,22 +7922,22 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Sécurité - + Security enhancements Améliorations de sécurité - + Use the original token only for approved NT system calls Utiliser le jeton d'origine uniquement pour les appels système NT approuvés - + Restrict driver/device access to only approved ones Restreindre l'accès au pilote/périphérique uniquement à ceux approuvés - + Enable all security enhancements (make security hardened box) Activer toutes les améliorations de sécurité (créer un bac à sécurité renforcée) @@ -7837,47 +7950,47 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Autoriser le magasin d'informations d'identification de Windows - + Allow the print spooler to print to files outside the sandbox Autoriser le spouleur d'impression à imprimer vers des fichiers situés hors du bac - + Remove spooler restriction, printers can be installed outside the sandbox Supprimer la restriction du spouleur ; les imprimantes peuvent être installées hors du bac - + Block read access to the clipboard Bloquer l'accès en lecture au presse-papiers - + Open System Protected Storage Ouvrir l'accès au stockage protégé du système - + Block access to the printer spooler Bloquer l'accès au spouleur d'imprimantes - + Other restrictions Autres restrictions - + Printing restrictions Restrictions d'impression - + Network restrictions Restrictions de réseau - + Block network files and folders, unless specifically opened. Bloquer les fichiers et dossiers du réseau, sauf s'ils sont spécifiquement ouverts @@ -7886,67 +7999,67 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Empêcher la modification des paramètres du réseau et du pare-feu - + Run Menu Menu Exécuter - + You can configure custom entries for the sandbox run menu. Vous pouvez configurer des entrées personnalisées pour le menu « Exécuter » du bac. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Nom - + Command Line Ligne de commande - + Add program Ajouter un programme - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Supprimer @@ -7960,13 +8073,13 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Ici, vous pouvez spécifier les programmes ou les services qui doivent être lancés automatiquement dans le bac à sable lorsqu'il est activé - - - - - - - + + + + + + + Type Type @@ -7979,21 +8092,21 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Ajouter un service - + Program Groups Groupes de programmes - + Add Group Ajouter un groupe - - - - - + + + + + Add Program Ajouter un programme @@ -8002,77 +8115,77 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Programmes forcés - + Force Folder Ajouter un dossier - - - + + + Path Chemin - + Force Program Ajouter un programme - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Afficher les modèles - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Remarque de sécurité : Les applications avec des droits étendus exécutées sous la supervision de Sandboxie, avec un jeton administrateur ou système, ont plus de possibilités de contourner l'isolation et de modifier le système hors du bac. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Permettre à MSIServer de s'exécuter avec un jeton système depuis un bac et d'appliquer d'autres exceptions si nécessaire - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Remarque : Les exemptions de l'installeur MicroSoft (MSI) ne devraient pas être nécessaires, mais si vous rencontrez des problèmes lors de l'installation d'un paquetage MSI auquel vous faites confiance, cette option peut aider l'installation à se terminer avec succès. Vous pouvez également essayer de désactiver l'abandon des droits d'administrateur. - + General Configuration Configuration générale - + Box Type Preset: Préréglage du type de bac : - + Box info Informations du bac - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Les types de bac avancés</b> sont réservés exclusivement aux <u>adhérents du projet</u>. Les bacs dont la confidentialité est renforcée <b><font color='red'>protègent les données utilisateurs contre les accès illicites</font></b> des programmes du bac.<br /> Si vous n'êtes pas encore un adhérent, songez à <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">soutenir le projet</a>, pour recevoir un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificat d'adhérent</a>.<br /> Vous pouvez tester les autres type de bac en en créant, cependant les processus de ces bacs seront automatiquement arrêtés après 5 minutes. @@ -8086,32 +8199,32 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Droits d'administrateur - + Open Windows Credentials Store (user mode) Ouvrir l'accès au magasin d'identifiants Windows (mode utilisateur) - + Prevent change to network and firewall parameters (user mode) Empêcher les modifications des paramètres réseaux et règles du pare-feu (mode utilisateur) - + Allow to read memory of unsandboxed processes (not recommended) Autoriser la lecture de la mémoire des processus hors des bacs (non recommandé) - + Issue message 2111 when a process access is denied Émettre un message 2111 lorsque l'accès à un processus est refusé - + Security Isolation Isolation de sécurité - + Advanced Security Adcanced Security Sécurité avancée @@ -8121,54 +8234,54 @@ Idéal s'il y a un grand nombre de petits fichiers, cela rendra l'arch Utiliser un identifiant de Sandboxie au lieu d'un jeton anonyme (expérimental) - + Other isolation Isolation supplémentaire - + Privilege isolation Isolation des privilèges - + Sandboxie token Jeton de Sandboxie - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. L'utilisation d'un jeton de Sandboxie personnalisé permet de mieux isoler les bacs à sable individuels, et d'afficher dans la colonne Utilisateurs des gestionnaires des tâches le nom du bac dans lequel un processus s'exécute. Certaines solutions de sécurité tierces peuvent cependant avoir des problèmes avec les jetons personnalisés. - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Vous pouvez regrouper des programmes ensemble et leur donner un nom de groupe. Les groupes de programmes peuvent être utilisés avec certains des paramètres à la place des noms de programmes. Les groupes définis pour le bac remplacent les groupes définis dans les modèles. - + Force Programs Programmes forcés - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Les programmes saisis ici, ou les programmes lancés à partir des emplacements saisis, seront placés dans ce bac à sable automatiquement, à moins qu'ils ne soient explicitement lancés dans un autre bac à sable. - + Breakout Programs Programmes d'évasion - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. Les programmes saisis ici seront autorisés à s'évader de ce bac lors de leur démarrage, de sorte que vous puissiez les capturer dans un autre bac, par exemple pour que votre navigateur web s'ouvre toujours dans un bac dédié. Cette fonction nécessite qu'un certificat d'adhérent valide soit installé. - - + + Stop Behaviour Comportement d'arrêt @@ -8193,32 +8306,32 @@ If leader processes are defined, all others are treated as lingering processes.< Si des processus directeurs sont définis, tous les autres sont traités comme des processus persistants. - + Start Restrictions Restrictions de démarrage - + Issue message 1308 when a program fails to start Émettre un message 1308 lorsqu'un programme échoue à démarrer - + Allow only selected programs to start in this sandbox. * Autoriser uniquement les programmes sélectionnés à démarrer dans ce bac * - + Prevent selected programs from starting in this sandbox. Empêcher les programmes sélectionnés de démarrer dans ce bac - + Allow all programs to start in this sandbox. Autoriser tous les programmes à démarrer dans ce bac - + * Note: Programs installed to this sandbox won't be able to start at all. * Remarque : Les programmes installés dans ce bac ne pourront pas démarrer du tout. @@ -8227,37 +8340,37 @@ Si des processus directeurs sont définis, tous les autres sont traités comme d Restrictions réseau - + Process Restrictions Restrictions de processus - + Issue message 1307 when a program is denied internet access Émettre un message 1307 lorsqu'un programme se voit refuser l'accès à Internet - + Prompt user whether to allow an exemption from the blockade. Demander à l'utilisateur s'il autorise une dispense de blocage - + Note: Programs installed to this sandbox won't be able to access the internet at all. Remarque : Les programmes installés dans ce bac ne pourront pas accéder à Internet du tout. - - - - - - + + + + + + Access Accès - + Set network/internet access for unlisted processes: Définir l'accès réseau/Internet pour les processus non listés : @@ -8266,46 +8379,46 @@ Si des processus directeurs sont définis, tous les autres sont traités comme d Restrictions réseau - + Test Rules, Program: Règles de test ; Programme : - + Port: Port : - + IP: IP : - + Protocol: Protocole : - + X X - + Add Rule Ajouter une règle - - - - - - - - - - + + + + + + + + + + Program Programme @@ -8314,81 +8427,81 @@ Si des processus directeurs sont définis, tous les autres sont traités comme d Restrictions diverses - + Breakout Program Normalement « Programme d'évasion » Ajouter un programme - + Breakout Folder Normalement « Dossier d'évasion » Ajouter un dossier - + Encrypt sandbox content Chiffrer le contenu du bac - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. Lorsque le <a href="sbie://docs/boxencryption">chiffrement de bac</a> est activé, le dossier racine du bac (y compris sa ruche du registre) est stocké dans une image disque chiffrée en utilisant l'implémentation AES-XTS de <a href="https://diskcryptor.org">Disk Cryptor</a>. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Installer le pilote ImDisk</a> pour activer la prise en charge de disque de mémoire vive et d'image disque. - + Store the sandbox content in a Ram Disk Stocker le contenu du bac dans un disque de mémoire vive - + Set Password Définir le mot de passe - + Disable Security Isolation Désactiver l'isolation de sécurité - - + + Box Protection Protection du bac - + Protect processes within this box from host processes Protéger les processus de ce bac des processus de l'hôte - + Allow Process Autoriser un processus - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Émettre un message 1318/1317 lorsqu'un processus de l'hôte tente d'accéder à un processus dans un bac ou à la racine du bac - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus est capable de créer des bacs à sable confidentiels qui fournissent une protection robuste contre la surveillance non autorisée ou la falsification par des processus de l'hôte. En utilisant une image de bac chiffrée, cette fonction fournit le plus haut niveau de confidentialité opérationnelle, assurant la sécurité et l'intégrité des processus des bacs. - + Deny Process Bloquer un processus - + Force protection on mount Forcer la protection lors du montage @@ -8398,115 +8511,117 @@ Si des processus directeurs sont définis, tous les autres sont traités comme d Empêcher les processus dans le bac à sable d'interférer avec des opérations d'alimentation - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. Empêcher les processus de capturer des images de la fenêtre depuis des fenêtres dans le bac - + Allow useful Windows processes access to protected processes Autoriser les processus Windows utiles à accéder aux processus protégés - + Use a Sandboxie login instead of an anonymous token Utiliser un identifiant de Sandboxie au lieu d'un jeton anonyme - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. - <b><font color='red'>AVERTISSEMENT DE SÉCURITÉ</font> :</b> L'utilisation de <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> et/ou <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinaison avec des directives Open[File/Pipe]Path peut compromettre la sécurité, de même que l'utilisation de <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> autorisant tout (*) ou autorisant des extensions potentiellement non fiables (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1 ; etc…). Veuillez consulter la section de sécurité de chaque option dans la documentation avant utilisation. + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>AVERTISSEMENT DE SÉCURITÉ</font> :</b> L'utilisation de <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> et/ou <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinaison avec des directives Open[File/Pipe]Path peut compromettre la sécurité, de même que l'utilisation de <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> autorisant tout (*) ou autorisant des extensions potentiellement non fiables (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1 ; etc…). Veuillez consulter la section de sécurité de chaque option dans la documentation avant utilisation. - + Lingering Programs Programmes persistants - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Les programmes persistants seront automatiquement arrêtés s'ils sont toujours actifs après que tous les autres processus ont été arrêtés. - + Leader Programs Programmes chefs - + If leader processes are defined, all others are treated as lingering processes. Si des processus chefs sont définis, tous les autres sont traités comme des processus persistants. - + Stop Options Options d'arrêt - + Use Linger Leniency Être clément envers les programmes persistants - + Don't stop lingering processes with windows Ne pas arrêter les processus persistants en même temps que les fenêtres - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. Ce paramètre peut être utilisé pour empêcher les programmes de s'exécuter dans le bac sans la connaissance ou le consentement de l'utilisateur. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. Afficher une fenêtre surgissante d'avertissement avant de démarrer un processus dans le bac depuis une source externe - + Files Fichiers - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configure quels processus peuvent accéder aux fichiers, dossiers et Pipes (« | »). L'accès « Autorisé » s'applique uniquement aux binaires des programmes situés hors du bac ; vous pouvez utiliser « Autorisé pour tous » à la place pour l'appliquer à tous les programmes, ou modifier ce comportement dans l'onglet « Politiques d'accès ». - + Registry Registre - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configure quels processus peuvent accéder au registre. L'accès « Autorisé » s'applique uniquement aux binaires des programmes situés hors du bac ; vous pouvez utiliser « Autorisé pour tous » à la place pour l'appliquer à tous les programmes, ou modifier ce comportement dans l'onglet « Politiques d'accès ». - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Configure quels processus peuvent accéder aux objets NT IPC comme les ports ALPC et le contexte et la mémoire des autres processus. Pour définir un processus, utiliser « $:programme.exe » comme chemin. - + Wnd Wnd - + Wnd Class Classe Wnd @@ -8516,73 +8631,73 @@ Pour définir un processus, utiliser « $:programme.exe » comme chemin.Configure quels processus peuvent accéder aux objets de bureau tels que les fenêtres et similaires. - + COM COM - + Class Id Id de classe - + Configure which processes can access COM objects. Configure quels processus peuvent accéder aux objets COM. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Ne pas utiliser de COM virtualisé ; ouvrir l'accès à l'infrastructure COM de l'hôte (non recommandé) - + Access Policies Politiques d'accès - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Appliquer également les règles « Close...=!<program>,... » à tous les binaires situés dans le bac - + Network Options Réseau - - - - + + + + Action Action - - + + Port Port - - - + + + IP IP - + Protocol Protocole - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. ATTENTION : La plateforme de filtrage Windows n'est pas activée avec le pilote, par conséquent ces règles seront exécutées uniquement en mode utilisateur et ne pourront pas être imposées !!! Cela signifie que les applications malveillantes peuvent les contourner. - + Resource Access Accès aux ressources @@ -8599,39 +8714,39 @@ L'accès « Autorisé » aux fichiers et aux clés ne s'applique qu&ap Pour l'accès aux fichiers, vous pouvez utiliser « Autorisé pour tous » pour qu'il s'applique à tous les programmes. - + Add File/Folder Ajouter un fichier ou un dossier - + Add Wnd Class Ajouter une classe Wnd - - + + Move Down Descendre - + Add IPC Path Ajouter un chemin IPC - + Add Reg Key Ajouter une clé de registre - + Add COM Object Ajouter un objet COM - - + + Move Up Monter @@ -8648,84 +8763,84 @@ Pour l'accès aux fichiers, vous pouvez utiliser « Toujours direct » pour Appliquer ferme les directives de...=!<programme>,... ainsi que tous les binaires situés dans le bac à sable. - + File Recovery Récupération de fichiers - + Add Folder Ajouter un dossier - + Ignore Extension Ignorer une extension - + Ignore Folder Ignorer un dossier - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Activer l'invite de récupération immédiate pour pouvoir récupérer les fichiers dès leur création - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Vous pouvez exclure des dossiers, des types de fichiers, ou des extensions de fichiers de la récupération immédiate. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Lorsque la fonction de récupération rapide est invoquée, les dossiers suivants sont contrôlés pour vérifier la présence de contenu dans le bac. - + Advanced Options Options avancées - + Miscellaneous Divers - + Don't alter window class names created by sandboxed programs Ne pas modifier les noms des classes de fenêtres créées par des programmes dans un bac - + Do not start sandboxed services using a system token (recommended) Ne pas démarrer les services d'un bac en utilisant un jeton système (recommandé) - - - - - - - + + + + + + + Protect the sandbox integrity itself Protège la propre intégrité du bac - + Drop critical privileges from processes running with a SYSTEM token Abandonner les privilèges critiques des processus tournant avec un jeton SYSTÈME - - + + (Security Critical) (Sécurité critique) - + Protect sandboxed SYSTEM processes from unprivileged processes Protège les processus SYSTÈME du bac des processus non privilégiés @@ -8734,12 +8849,12 @@ Pour l'accès aux fichiers, vous pouvez utiliser « Toujours direct » pour Isolation du bac à sable - + Force usage of custom dummy Manifest files (legacy behaviour) Forcer l'utilisation de fichiers Manifest factices personnalisés (ancien comportement) - + Program Control Contrôle des programmes @@ -8752,34 +8867,34 @@ Pour l'accès aux fichiers, vous pouvez utiliser « Toujours direct » pour Politiques d'accès aux ressources - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. La spécificité de la règle est une mesure de l'efficacité avec laquelle une règle donnée correspond à un chemin d'accès particulier. En d'autres termes, la spécificité est la longueur en caractères depuis le début du chemin d'accès jusqu'à la dernière sous-chaîne non générique (joker) correspondante. Une règle qui ne correspondrait qu'à des types de fichiers tels que "*.tmp" aurait la spécificité la plus élevée, car elle correspondrait toujours à l'intégralité du chemin d'accès au fichier. Le niveau de correspondance du processus a une priorité plus élevée que la spécificité et décrit comment une règle s'applique à un processus donné. Les règles s'appliquant par nom ou groupe de processus ont le niveau de correspondance le plus fort, suivi par la correspondance par négation (c'est-à-dire les règles s'appliquant à tous les processus sauf celui donné), tandis que les niveaux de correspondance les plus bas sont des correspondances globales, c'est-à-dire des règles qui s'appliquent à n'importe quel processus. - + Prioritize rules based on their Specificity and Process Match Level Hiérarchiser les règles en fonction de leur spécificité et du niveau de correspondance des processus - + Privacy Mode, block file and registry access to all locations except the generic system ones Mode confidentialité ; bloquer tous les accès aux emplacements de fichiers et de registre à l'exception des génériques du système - + Access Mode Mode d'accès - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Lorsque le mode Confidentialité est activé, les processus d'un bac ne peuvent lire que C:\Windows\*, C:\Program Files\* et certaines parties du registre HKLM. Tous les autres emplacements nécessitent un accès explicite pour pouvoir être lus et/ou écrits. Dans ce mode, la spécificité des règles est toujours activée. - + Rule Policies Politiques des règles @@ -8788,23 +8903,23 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp Appliquer également les directives Close...=!<program>,... à tous les binaires situés dans le bac à sable. - + Apply File and Key Open directives only to binaries located outside the sandbox. Appliquer les directives « Autorisé » concernant les fichiers et les clés uniquement aux binaires situés hors du bac - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Démarrer le RpcSs du bac en tant que processus SYSTÈME (non recommandé) - + Allow only privileged processes to access the Service Control Manager Autoriser uniquement les processus privilégiés à accéder au gestionnaire des services - - + + Compatibility Compatibilité @@ -8813,7 +8928,7 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp Ouvrir l'accès à l'infrastructure COM (non recommandé) - + Add sandboxed processes to job objects (recommended) Ajouter les processus du bac aux objets de travail (recommandé) @@ -8822,7 +8937,7 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp Isolation COM - + Emulate sandboxed window station for all processes Émuler une Station Windows depuis un bac pour tous les processus @@ -8831,29 +8946,29 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp COM/RPC - + Allow use of nested job objects (works on Windows 8 and later) Allow use of nested job objects (experimental, works on Windows 8 and later) Autoriser l'utilisation d'objets de travail imbriqués (fonctionne sur Windows 8 et plus) - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Désactiver l'utilisation de RpcMgmtSetComTimeout par défaut (cela peut résoudre des problèmes de compatibilité) - + Isolation Isolation - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. L'isolation de sécurité par l'utilisation d'un jeton de processus fortement restreint est le principal moyen utilisé par Sandboxie pour appliquer les restrictions du bac. Lorsque cette fonction est désactivée, le bac fonctionne en mode conteneur d'applications, c'est-à-dire qu'il ne fournit plus de sécurité fiable, mais seulement une simple compartimentation des applications. - + Allow sandboxed programs to manage Hardware/Devices Allow sandboxed programs to managing Hardware/Devices Autoriser les programmes d'un bac à gérer le matériel/les périphériques @@ -8867,32 +8982,32 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp De multiples fonctions avancées d'isolation peuvent casser la compatibilité avec certaines applications. Si vous utilisez ce bac à sable <b>NON par sécurité</b>, mais uniquement pour de la portabilité d'application, changer ces options permettra de restaurer la compatibilité en sacrifiant un peu de sécurité. - + Open access to Windows Security Account Manager Autoriser l'accès au gestionnaire de comptes de sécurité Windows (WSAM) - + Open access to Windows Local Security Authority Autoriser l'accès à l'autorité de sécurité locale de Windows (WLSA) - + Security Isolation & Filtering Isolation et filtrage de sécurité - + Disable Security Filtering (not recommended) Désactiver le filtrage de sécurité (non recommandé) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Le filtrage de sécurité est utilisé par Sandboxie pour imposer des restrictions d'accès au système de fichiers, au registre, et également aux processus. - + The below options can be used safely when you don't grant admin rights. Les options ci-dessous peuvent être utilisées sans risque si vous n'accordez pas de droits d'administrateur. @@ -8917,41 +9032,41 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp Ici, vous pouvez spécifier une liste de commandes qui sont exécutées chaque fois que le bac à sable est initialement rempli. - + Triggers Déclencheurs - + Event Évènements - - - - + + + + Run Command Lancer une commande - + Start Service Démarrer un service - + These events are executed each time a box is started Ces évènements sont exécutés à chaque fois qu'un bac est démarré. - + On Box Start Au démarrage du bac - - + + These commands are run UNBOXED just before the box content is deleted Ces commandes sont lancées HORS DU BAC juste avant que le contenu du bac soit supprimé. @@ -8960,17 +9075,17 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp À la suppression - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Ces commandes sont exécutées lorsqu'un bac est initialisé. Pour les lancer à nouveau, le contenu du bac doit être supprimé. - + On Box Init À l'initialisation du bac - + Here you can specify actions to be executed automatically on various box events. Vous pouvez spécifier ici des actions à exécuter automatiquement lors de divers évènements. @@ -8979,37 +9094,37 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp Masquage des processus - + Add Process Ajouter un processus - + Hide host processes from processes running in the sandbox. Masque les processus de l'hôte des processus s'exécutant dans le bac. - + Restart force process before they begin to execute Redémarrer les processus forcés avant qu'ils commencent à s'exécuter - + Don't allow sandboxed processes to see processes running in other boxes Ne pas permettre aux processus d'un bac de voir les processus en cours d'exécution dans d'autres bacs - + Users Utilisateurs - + Restrict Resource Access monitor to administrators only Restreindre le moniteur d'accès aux ressources aux administrateurs uniquement - + Add User Ajouter un utilisateur @@ -9018,7 +9133,7 @@ Le niveau de correspondance du processus a une priorité plus élevée que la sp Supprimer l'utilisateur - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -9027,7 +9142,7 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Remarque : Les paramètres Programmes forcés et Dossiers forcés d'un bac ne s'appliquent pas aux comptes utilisateurs qui ne peuvent pas utiliser le bac. - + Tracing Traçage @@ -9037,22 +9152,22 @@ Remarque : Les paramètres Programmes forcés et Dossiers forcés d'un bac Tracer les appels API (nécessite que LogAPI soit installé dans le répertoire de Sandboxie) - + Pipe Trace Tracer les Pipes - + Log all SetError's to Trace log (creates a lot of output) Enregistrer toutes les SetError dans le journal de traçage (crée beaucoup de sorties) - + Log Debug Output to the Trace Log Enregistrer la sortie de débogage dans le journal de traçage - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -9075,186 +9190,206 @@ au lieu de « * ». Tracer les appels système Ntdll (crée beaucoup de sorties) - + File Trace Tracer les fichiers - + Disable Resource Access Monitor Désactiver le moniteur d'accès aux ressources - + IPC Trace Tracer IPC - + GUI Trace Tracer l'interface graphique - + Resource Access Monitor Moniteur d'accès aux ressources - + Access Tracing Traçage des accès - + COM Class Trace Tracer les classes COM - + Key Trace Tracer les clés - + Prevent sandboxed processes from interfering with power operations (Experimental) Empêcher les processus dans le bac d'interférer avec des opérations d'alimentation (Expérimental) - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. Empêche les mouvements à la souris, la mise au premier plan, et les opérations similaires (activer ceci est susceptible de causer des problèmes avec les jeux). - + Prevent interference with the user interface (Experimental) Empêcher les interférences avec l'interface (Expérimental) - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar Autoriser les fenêtres dans un bac à couvrir la barre des tâches - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. Cette fonction ne bloque pas tous les moyens d'obtenir une capture d'écran, seulement les plus communs. - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) Empêcher les processus dans un bac de capturer des images de la fenêtre (Expérimental, peut provoquer des bogues d'interface) - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + + + + Job Object Objets de travail - - - + + + unlimited illimité - - + + bytes octets - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. Coché : Un groupe local sera également ajouté au jeton nouvellement créé du bac, ce qui permet de s'adresser à tous les bacs à la fois. Peut être utile pour les politiques d'audit. Partiellement coché : Aucun groupe ne sera ajouté au jeton nouvellement créé du bac. - + Create a new sandboxed token instead of stripping down the original token Créer un nouveau jeton dans un bac à sable au lieu de démonter le jeton d'origine - + Drop ConHost.exe Process Integrity Level - + Abaisser le niveau d'intégrité du processus ConHost.exe - + Force Children Forcer les processus enfants - - + + Breakout Document + + + + + Network Firewall Pare-feu réseau - + DNS Filter Filtres DNS - + Add Filter Ajouter un filtre - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. Avec les filtres DNS, des domaines individuels peuvent être bloqués, processus par processus. Laisser la colonne IP vide pour bloquer, ou saisir une IP pour rediriger. - + Domain Domaine - + Internet Proxy Mandataire Internet - + Add Proxy Ajouter un mandataire - + Test Proxy Tester le mandataire - + Auth Authentification - + Login Identifiant - + Password Mot de passe - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. Les programmes d'un bac peuvent être forcés à utiliser un mandataire SOCKS 5 prédéfini. - + Resolve hostnames via proxy Résoudre les noms d'hôtes via mandataire - + Limit restrictions Limites @@ -9263,34 +9398,34 @@ Partiellement coché : Aucun groupe ne sera ajouté au jeton nouvellement créé Laisser vide pour désactiver le paramètre (Unité : Ko) - - - + + + Leave it blank to disable the setting Laisser vide pour désactiver le paramètre - + Total Processes Number Limit: Limite du nombre de processus au total : - + Total Processes Memory Limit: Limite de mémoire de tous les processus : - + Single Process Memory Limit: Limite de mémoire d'un processus unique : - + These commands are run UNBOXED after all processes in the sandbox have finished. Ces commandes s'exécutent HORS DU BAC après que tous les processus dans le bac se soient arrêtés. - + Don't allow sandboxed processes to see processes running outside any boxes Ne pas autoriser les processus dans un bac à voir les processus qui s'exécutent hors de tout bac @@ -9305,27 +9440,27 @@ Partiellement coché : Aucun groupe ne sera ajouté au jeton nouvellement créé Certains programmes lisent les détails du système en se servant de WMI (Windows Management Instrumentation — une base de données incluse avec Windows) au lieu d'utiliser des méthodes normales. Par exemple, « tasklist.exe » peut obtenir la liste complète des processus même si « Masquer les propres processus de Sandboxie de la liste des tâches » est activé. Activez cette option pour empêcher ce comportement. - + API call Trace (traces all SBIE hooks) Tracer les appels API (trace tous les crochets SBIE) - + Debug Débogage - + WARNING, these options can disable core security guarantees and break sandbox security!!! ATTENTION, ces options peuvent désactiver les garanties de sécurité de base et briser la sécurité du bac !!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Ces options sont destinées à déboguer les problèmes de compatibilité, veuillez ne pas les utiliser en production. - + App Templates Modèles d'applications @@ -9334,22 +9469,22 @@ Partiellement coché : Aucun groupe ne sera ajouté au jeton nouvellement créé Modèles de compatibilité - + Filter Categories Filtre de catégorie : - + Text Filter Filtre de texte : - + Add Template Ajouter un modèle - + This list contains a large amount of sandbox compatibility enhancing templates Cette liste contient un grand nombre de modèles améliorant la compatibilité du bac. @@ -9358,17 +9493,17 @@ Partiellement coché : Aucun groupe ne sera ajouté au jeton nouvellement créé Supprimer le modèle - + Category Catégorie - + Template Folders Dossiers des modèles - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -9377,52 +9512,53 @@ Please note that this values are currently user specific and saved globally for Veuillez noter que ces valeurs sont actuellement spécifiques à l'utilisateur et enregistrées globalement pour tous les bacs. - - + + Value Valeur - + Accessibility Accessibilité - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Pour compenser la perte de protection, veuillez consulter la page d'Abandon des droits dans le groupe de paramètres Restrictions. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Lecteurs d'écran : JAWS, NVDA, Window-Eyes, System Access - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Utiliser les numéros de série de volume des lecteurs (par exemple : « \drive\C~1234-ABCD ») - + The box structure can only be changed when the sandbox is empty La structure de bac ne peut être changée que lorsque le bac est vide. + Allow sandboxed processes to open files protected by EFS - Autoriser les processus dans le bac à ouvrir les fichiers protégés par EFS + Autoriser les processus dans le bac à ouvrir les fichiers protégés par EFS - + Disk/File access Accès disque/fichier - + Virtualization scheme Schéma de virtualisation : - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -9431,42 +9567,42 @@ Veuillez noter que ces valeurs sont actuellement spécifiques à l'utilisat 2115 : Le fichier n'a pas été déplacé, le fichier sera ouvert en lecture seule - + Issue message 2113/2114/2115 when a file is not fully migrated Émettre un message 2113/2114/2115 lorsqu'un fichier n'a pas été totalement déplacé - + Add Pattern Ajouter un motif - + Remove Pattern Supprimer le motif - + Pattern Motif - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie ne permet pas d'écrire dans des fichiers hôtes, sauf si autorisé par l'utilisateur. Lorsqu'une application dans un bac tente de modifier un fichier, le fichier entier doit être copié dans le bac ; cela peut prendre une quantité de temps significative pour les grands fichiers. Sandboxie offre des options pour gérer ces cas, et ceci peut se paramétrer sur cette page. - + Using wildcard patterns file specific behavior can be configured in the list below: En utilisant des jokers dans les motifs, un comportement spécifique à des fichiers peut être configuré dans la liste ci-dessous : - + When a file cannot be migrated, open it in read-only mode instead Lorsqu'un fichier ne peut pas être déplacé, l'ouvrir en mode lecture seule à la place - + Restrictions Restrictions @@ -9475,43 +9611,43 @@ Veuillez noter que ces valeurs sont actuellement spécifiques à l'utilisat Icône - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Des fonctions d'isolation diverses peuvent casser la compatibilité avec certaines applications. Si vous utilisez ce bac <b>NON par sécurité</b> mais pour la portabilité des applications, en modifiant ces options vous pouvez restaurer la compatibilité en sacrifiant un peu de sécurité. - + Access Isolation Isolation d'accès - + Image Protection Protection d'image - + Issue message 1305 when a program tries to load a sandboxed dll Émettre un message 1305 lorsqu'un programme essaye de charger une DLL depuis un bac - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox Empêcher les programmes dans un bac installé sur l'hôte de charger des DLL depuis le bac - + Dlls && Extensions DLL && extensions - + Description Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -9520,13 +9656,13 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Ceci est fait pour empêcher les processus malveillants à l'intérieur du bac de créer une copie renommée d'eux-mêmes et d'accéder aux ressources protégées. Un autre vecteur d'exploit est l'injection d'une bibliothèque dans un processus autorisé afin d'accéder à tout ce qu'il est autorisé d'accéder. En utilisant la Protection d'Image de l'Hôte, cela peut être empêché en bloquant les applications (installées sur l'hôte) lancées dans un bac de charger des bibliothèques depuis le bac lui-même. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. Les fonctions de Sandboxie peuvent être améliorées en utilisant des DLL optionnels qui peuvent être chargés dans chaque processus d'un bac lors de leur démarrage par SbieDll.dll. Le gestionnaire de modules dans les paramètres généraux offre quelques extensions utiles ; une fois installées, celles-ci peuvent être activées ici pour le bac actuel. - + Disable forced Process and Folder for this sandbox Désactiver les processus et les dossiers forcés pour ce bac @@ -9536,77 +9672,76 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Empêcher les processus dans un bac à sable d'utiliser des méthodes publiques afin de capturer des images de la fenêtre - + Configure which processes can access Desktop objects like Windows and alike. Configure quels processus peuvent accéder aux objets de bureau tels que les fenêtres et similaires. - + Other Options Autres options - + Port Blocking Blocage des ports - + Block common SAMBA ports Bloquer les ports SAMBA habituels - + Only Administrator user accounts can make changes to this sandbox Seuls les comptes d'utilisateur administrateur peuvent apporter des modifications à ce bac - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>AVERTISSEMENT DE SÉCURITÉ</font> :</b> L'utilisation de <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> et/ou <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinaison avec des directives Open[File/Pipe]Path peut compromettre la sécurité. Veuillez consulter la section de sécurité de chaque option dans la documentation avant utilisation. + <b><font color='red'>AVERTISSEMENT DE SÉCURITÉ</font> :</b> L'utilisation de <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> et/ou <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> en combinaison avec des directives Open[File/Pipe]Path peut compromettre la sécurité. Veuillez consulter la section de sécurité de chaque option dans la documentation avant utilisation. - + Bypass IPs Contourner les IP - + Block DNS, UDP port 53 Bloquer le DNS (port UDP 53) - + Quick Recovery Récupération rapide - + Immediate Recovery Récupération immédiate - + Various Options Divers - + Apply ElevateCreateProcess Workaround (legacy behaviour) Appliquer le palliatif ElevateCreateProcess (ancien comportement) - + Use desktop object workaround for all processes Utiliser le palliatif d'objet de bureau pour tous les processus - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. Lorsque le raccourci général est utilisé 3 fois rapidement et successivement, cette exception sera ignorée. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. Empêcher ce bac d'être arrêté lorsque « Arrêter tous les processus » est invoqué @@ -9615,44 +9750,44 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Cette commande s'exécute après que tous les processus dans le bac à sable se soient arrêtés. - + On Box Terminate Lors de l'arrêt du bac - + This command will be run before the box content will be deleted Cette commande sera exécutée avant que le contenu du bac ne soit supprimé. - + On File Recovery Lors de la récupération de fichiers - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked Cette commande sera exécutée avant qu'un fichier ne soit récupéré et le chemin du fichier sera transmis en tant que premier argument ; si cette commande retourne autre chose que « 0 », la récupération sera bloquée. - + Run File Checker Exécuter la vérification de fichiers - + On Delete Content Lors de la suppression de contenu - + Protect processes in this box from being accessed by specified unsandboxed host processes. Protège les processus de ce bac contre leur accès par des processus hôtes définis qui s'exécutent hors des bacs. - - + + Process Processus @@ -9661,127 +9796,127 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Bloquer également l'accès en lecture des processus de ce bac à sable - + Add Option Ajouter une option - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Ici, vous pouvez configurer des options en fonction des processus, pour améliorer la compatibilité et/ou personnaliser le comportement de mise en bac. - + Option Option - + Privacy Confidentialité - + Hide Firmware Information Hide Firmware Informations Masquer les informations du microgiciel - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. Certains programmes lisent les détails du système en se servant de WMI (une base de données incluse avec Windows) au lieu d'utiliser des méthodes normales. Par exemple, « tasklist.exe » peut ainsi obtenir la liste complète des processus même si « Masquer les propres processus de Sandboxie de la liste des tâches » est activé. Utilisez cette option pour empêcher ce comportement. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) Empêcher les processus d'un bac d'accéder aux détails du système en se servant de WMI (voir la bulle d'aide pour plus d'information) - + Process Hiding Masquage des processus - + Use a custom Locale/LangID Utiliser une langue/LangID personnalisée - + Data Protection Protection des données - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom Copier la table du microgiciel actuel dans « HKCU\System\SbieCustom » - + Dump FW Tables Copier la table du microgiciel - + Hide Disk Serial Number - + Masquer le numéro de série du lecteur - + Obfuscate known unique identifiers in the registry - + Dissimuler les identifiants uniques connus dans le registre - + Hide Network Adapter MAC Address - + Masquer l'adresse MAC de l'adaptateur réseau - + DNS Request Logging Dns Request Logging Enregistrer les requêtes DNS dans le journal - + Syscall Trace (creates a lot of output) Tracer les appels système (crée beaucoup de sorties) - + Templates Modèles - + Open Template Ouvrir le modèle - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Les paramètres suivants permettent l'utilisation de Sandboxie en combinaison avec un logiciel d'accessibilité. Veuillez noter que certaines mesures de protection de Sandboxie sont nécessairement perdues lorsque ces paramètres sont en vigueur. - + Edit ini Section Édition de la section ini - + Edit ini Éditer l'ini - + Cancel Annuler - + Save Enregistrer @@ -9797,7 +9932,7 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du ProgramsDelegate - + Group: %1 Groupe : %1 @@ -9805,7 +9940,7 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du QObject - + Drive %1 Lecteur %1 @@ -9813,27 +9948,27 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du QPlatformTheme - + OK OK - + Apply Appliquer - + Cancel Annuler - + &Yes &Oui - + &No &Non @@ -9846,12 +9981,12 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du DismissSandboxiePlus - Récupération - + Delete Supprimer - + Close Fermer @@ -9865,7 +10000,7 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Ajouter un dossier - + Recover Récupérer @@ -9875,7 +10010,7 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Cible pour la récupération : - + Refresh Actualiser @@ -9889,12 +10024,12 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Supprimer tout - + Show All Files Afficher tous les fichiers - + TextLabel Texte générique, celui-ci n’est pas à traduire. @@ -9961,18 +10096,18 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Configuration générale - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Afficher la fenêtre de récupération des fichiers lors du vidage des bacs à sable - + Open urls from this ui sandboxed Ouvrir les pages web de cette interface dans un bac - + Systray options Options de la zone de notification @@ -9982,27 +10117,27 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Langue de l'interface : - + Shell Integration Intégration à l'interface système - + Run Sandboxed - Actions Exécution dans un bac à sable - Actions - + Start Sandbox Manager Démarrage du gestionnaire des bacs à sable - + Start UI when a sandboxed process is started Lancer l'interface lors du démarrage d'un processus dans un bac - + On main window close: À la fermeture de la fenêtre principale : @@ -10023,22 +10158,22 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Afficher les notifications pour les messages pertinents du journal - + Start UI with Windows Démarrer l'interface avec Windows - + Add 'Run Sandboxed' to the explorer context menu Ajouter « Exécuter dans un bac à sable » au menu contextuel de l'explorateur - + Run box operations asynchronously whenever possible (like content deletion) Lancer les opérations des bacs de manière asynchrone lorsque c'est possible (par exemple lors de la suppression de contenu) - + Hotkey for terminating all boxed processes: Raccourci pour mettre fin à tous les processus des bacs à sable : @@ -10048,43 +10183,43 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Options générales - + Show boxes in tray list: Affichage des bacs dans la liste : - + Always use DefaultBox Toujours utiliser le bac par défaut (DefaultBox) - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Compter et afficher l'espace disque occupé par chaque bac - + Add 'Run Un-Sandboxed' to the context menu Ajouter « Exécuter hors de tout bac à sable » au menu contextuel - + Show a tray notification when automatic box operations are started Afficher une notification lorsque des opérations de bac automatiques sont démarrées - + Use Compact Box List Utiliser une liste des bacs compacte - + Interface Config Configuration de l'interface - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Afficher l'arrière-plan « Pizza » dans la liste des bacs * @@ -10094,33 +10229,33 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du * Dépendant du mode d'affichage - + Make Box Icons match the Border Color Faire correspondre les icônes des bacs à la couleur de bordure - + Use a Page Tree in the Box Options instead of Nested Tabs * Utiliser une arborescence dans les options du bac plutôt que des onglets imbriqués * - - + + Interface Options Options d'interface - + Use large icons in box list * Utiliser de grandes icônes dans la liste des bacs * - + High DPI Scaling Mise à l'échelle haute résolution : - + Don't show icons in menus * Ne pas afficher les icônes des menus * @@ -10130,37 +10265,37 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Options du gestionnaire de Sandboxie-Plus - + Notifications Notifications - + Add Entry Ajouter une entrée - + Show file migration progress when copying large files into a sandbox Afficher la progression de migration lors de la copie de gros fichiers dans un bac - + Message ID ID du message - + Message Text (optional) Texte du message (optionnel) - + SBIE Messages Messages SBIE - + Delete Entry Supprimer l'entrée @@ -10169,7 +10304,7 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Ne pas afficher la fenêtre surgissante du journal des messages pour les messages SBIE - + Notification Options Options des notifications @@ -10184,7 +10319,7 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Désactiver les messages surgissants de SBIE (qui seront tout de même enregistrés dans l'onglet « Messages ») - + Windows Shell Interface système Windows @@ -10193,412 +10328,422 @@ Ceci est fait pour empêcher les processus malveillants à l'intérieur du Icône - + Move Up Déplacer vers le haut - + Move Down Déplacer vers le bas - + Use Dark Theme Utiliser le thème sombre - + Show overlay icons for boxes and processes Afficher les superpositions d'icônes pour les bacs et les processus - + Font Scaling Mise à l'échelle des polices : - + (Restart required) (Redémarrage requis) - + Graphic Options Options graphiques - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie peut émettre <a href="sbie://docs/sbiemessages">des messages SBIE</a> vers le journal des messages et les afficher dans une fenêtre surgissante. Certains messages sont informatifs et préviennent d'un évènement commun (ou dans certains cas spécial) qui est survenu, les autres messages indiquent une erreur.<br />Vous pouvez masquer les messages SBIE choisis (ainsi ils ne s'afficheront pas dans une fenêtre surgissante), en utilisant la liste ci-dessous : - + Disable SBIE messages popups (they will still be logged to the Messages tab) Désactiver les messages surgissants de SBIE (qui seront tout de même enregistrés dans l'onglet « Messages ») - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list Masquer les propres processus de Sandboxie de la liste des tâches - + Ini Editor Font Police de l'éditeur ini : - + Select font Choisir la police - + Hotkey for bringing sandman to the top: Raccourci pour amener le gestionnaire de Sandboxie-Plus au premier plan : - + Hotkey for suspending process/folder forcing: Raccourci pour suspendre le forçage du processus/dossier : - + Hotkey for suspending all processes: Hotkey for suspending all process Raccourci pour suspendre tous les processus : - + Integrate with Host Desktop Intégration avec le bureau de l'hôte : - + System Tray Zone de notification - + Open/Close from/to tray with a single click Ouvrir/Fermer depuis/vers la zone de notification avec un simple clic - + Minimize to tray Réduire dans la zone de notification - + Reset font Réinitialiser la police - + Ini Options Options ini - + # # - + External Ini Editor Éditeur ini externe : - + Add-Ons Manager Gestionnaire de modules - + Optional Add-Ons Modules optionnels - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus offre de nombreuses options et prend en charge un large éventail d'extensions. Sur cette page, vous pouvez configurer l'intégration des modules, extensions et autres composants de tierce partie. Les composants optionnels peuvent être téléchargés depuis le web, et certaines installations peuvent demander des privilèges d'administrateur. - + Status État - + Version Version - + Description Description - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">Mettre à jour la liste des modules</a> - + Install Installer - + Add-On Configuration Configuration des modules - + Enable Ram Disk creation Activer la création d'un disque de mémoire vive - + kilobytes kilo-octets - + Assign drive letter to Ram Disk Assigner une lettre de lecteur au disque de mémoire vive - + Disk Image Support Prise en charge d'image disque - + RAM Limit Limite de mémoire vive : - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Installer le pilote ImDisk</a> pour activer la prise en charge de disque de mémoire vive et d'image disque. - + Sandboxie Support Soutien technique de Sandboxie - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Ce certificat d'adhérent a expiré ; veuillez <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obtenir un certificat mis à jour</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Les adhérents au projet Sandboxie-Plus peuvent recevoir un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificat d'adhérent</a>. C'est comme une clé de licence mais pour les personnes fantastiques qui utilisent des logiciels à code source ouvert. :-) - + Get Obtenir - + Retrieve/Upgrade/Renew certificate using Serial Number Récupérer/Mettre à jour/Renouveler un certificat en utilisant son numéro de série - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Maintenir Sandboxie à jour avec les nouvelles versions de Windows et compatible avec tous les navigateurs web est un effort sans fin. Vous pouvez soutenir le développement en <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">contribuant directement au projet</a>, en montrant votre soutien grâce à <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">l'achat d'un certificat d'adhérent</a>, en devenant un mécène grâce à une <a href="https://sandboxie-plus.com/go.php?to=patreon">souscription sur Patreon</a>, ou à travers un <a href="https://sandboxie-plus.com/go.php?to=donate">don PayPal</a>.<br />Votre soutien joue un rôle vital dans le progrès et l'entretien de Sandboxie. - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + Advanced Config Configuration avancée - + Activate Kernel Mode Object Filtering Activer le filtrage d'objet au niveau du noyau - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: <a href="sbie://docs/filerootpath">Racine du système de fichiers</a> des bacs : - + Check sandboxes' auto-delete status when Sandman starts Vérifier l'état d'auto-suppression des bacs à sable lors du démarrage de Sandman - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu Ajouter « Toujours forcer dans un bac à sable » au menu contextuel - + Add 'Set Open Path in Sandbox' to context menu Ajouter « Toujours ouvrir ce chemin dans un bac à sable » au menu contextuel - + Hide SandMan windows from screen capture (UI restart required) Masquer les fenêtres de SandMan lors des captures d'écran (redémarrage de l'interface nécessaire) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. Lorsqu'un disque de mémoire vive est déjà monté, vous devez le démonter pour que cette option prenne effet. - + * takes effect on disk creation * prend effet lors de la création du disque - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Guide d'utilisation du certificat</a> - + HwId: 00000000-0000-0000-0000-000000000000 HwId : 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits - + Arrêter tous les processus dans les bacs lors de la fermeture de Sandman - + Cert Info - + Infos de certificat - + Sandboxie Updater Mise à jour de Sandboxie - + Keep add-on list up to date Conserver la liste des modules à jour - + Update Settings Paramètres de mise à jour - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Le canal des Initiés offre un accès anticipé aux nouvelles fonctions et corrections de bogues qui finalement seront fournies au public, de même que toutes les améliorations pertinentes du canal Stable. Contrairement au canal des Aperçus, cela n'inclut pas les modifications non testées, potentiellement dangereuses ou expérimentales qui peuvent ne pas être prêtes pour une utilisation à grande échelle. - + Search in the Insider channel Rechercher dans le canal des Initiés - + New full installers from the selected release channel. Nouveaux installeurs complets depuis le canal de la version choisie. - + Full Upgrades Mises à jour complètes : - + Check periodically for new Sandboxie-Plus versions Vérifier régulièrement les mises à jour de Sandboxie-Plus - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> En savoir plus concernant le <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">canal des Initiés</a> - + Keep Troubleshooting scripts up to date Conserver les scripts de dépannage à jour - + Update Check Interval Intervalle de vérification de mise à jour : - + Use a Sandboxie login instead of an anonymous token Utiliser un identifiant de Sandboxie au lieu d'un jeton anonyme - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) Ajouter le groupe « Sandboxie\Tous les bacs à sable » au jeton d'un bac (expérimental) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Sandboxie.ini Presets Préréglages de Sandboxie.ini - + Clear password when main window becomes hidden Effacer le mot de passe lorsque la fenêtre principale est masquée - + Always run SandMan UI as Admin Toujours exécuter l'interface de SandMan en tant qu'administrateur - + USB Drive Sandboxing Mise en bac des lecteurs USB - + Volume Volume - + Information Informations - + Sandbox for USB drives: Bac pour les lecteurs USB : - + Automatically sandbox all attached USB drives Placer automatiquement dans un bac tous les lecteurs USB branchés - + App Templates Modèles d'applications - + App Compatibility Compatibilité d'applications @@ -10607,32 +10752,32 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Dossiers utilisateurs séparés - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: <a href="sbie://docs/ipcrootpath">Racine IPC</a> des bacs : - + Sandbox default Paramètres par défaut des bacs à sable - + Config protection Protection de la configuration - + ... ... - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: <a href="sbie://docs/keyrootpath">Racine du registre</a> des bacs : - + Sandboxing features Fonctions d'isolation @@ -10641,73 +10786,73 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Utiliser la plateforme de filtrage Windows pour restreindre l'accès au réseau (expérimental) - + Change Password Changer le mot de passe - + Password must be entered in order to make changes Demander un mot de passe pour pouvoir effectuer des modifications - + Only Administrator user accounts can make changes Autoriser seulement les comptes administrateurs à effectuer des modifications - + Watch Sandboxie.ini for changes Surveiller les modifications apportées à Sandboxie.ini - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command Autoriser seulement les comptes administrateurs à utiliser « Suspension du forçage des programmes » - + Portable root folder Dossier racine portable - + Show recoverable files as notifications Afficher les fichiers récupérables en tant que notifications - + Show the Recovery Window as Always on Top Toujours afficher la fenêtre de récupération au-dessus - + Show Icon in Systray: Affichage de l'icône : - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * Une case partiellement cochée laissera le comportement être déterminé par le mode d'affichage. - + % % - + Alternate row background in lists Alterner l'arrière-plan des lignes dans les listes - + Use Fusion Theme Utiliser le thème Fusion - + Use Windows Filtering Platform to restrict network access Utiliser la plateforme de filtrage Windows pour restreindre l'accès au réseau @@ -10717,7 +10862,7 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Activer le filtrage d'objet au niveau du noyau (Kernel Mode Object Filtering) - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Accrocher les appels systèmes Win32k sélectionnés pour permettre l'accélération du processeur graphique (expérimental) @@ -10726,61 +10871,61 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Utiliser un identifiant de Sandboxie au lieu d'un jeton anonyme (expérimental) - + Program Control Contrôle des programmes - - - - - + + + + + Name Nom - + Path Chemin - + Remove Program Supprimer le programme - + Add Program Ajouter un programme - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Lorsqu'un des programmes suivants est lancé hors de tout bac, Sandboxie émettra le message SBIE1301. - + Add Folder Ajouter un dossier - + Prevent the listed programs from starting on this system Empêcher les programmes listés de démarrer sur ce système - + Issue message 1308 when a program fails to start Émettre un message 1308 lorsqu'un programme ne parvient pas à démarrer - + Recovery Options Options de récupération - + Start Menu Integration Intégration au menu Démarrer @@ -10789,80 +10934,80 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Intégrer les bacs au menu Démarrer de l'hôte : - + Scan shell folders and offer links in run menu Analyser les dossiers de l'interface système et proposer des liens dans le menu Exécuter - + Integrate with Host Start Menu Intégration au menu Démarrer de l'hôte : - + Use new config dialog layout * Utiliser la nouvelle disposition de configuration * - + Program Alerts Alertes concernant les programmes - + Issue message 1301 when forced processes has been disabled Émettre un message 1301 lorsqu'un processus forcé a été désactivé - + Sandboxie Config Config Protection Configuration de Sandboxie - + This option also enables asynchronous operation when needed and suspends updates. Cette option active une opération asynchrone au besoin, et interrompt les mises à jour. - + Suppress pop-up notifications when in game / presentation mode Supprimer les avertissements surgissants en mode Jeu / Présentation - + User Interface Interface utilisateur - + Run Menu Menu Exécuter - + Add program Ajouter un programme - + You can configure custom entries for all sandboxes run menus. Vous pouvez configurer des entrées personnalisées pour tous les menus Exécuter dans des bacs à sable. - - - + + + Remove Supprimer - + Command Line Ligne de commande - + Support && Updates Soutien et mises à jour @@ -10871,7 +11016,7 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Configuration des bacs à sable - + Default sandbox: Bac à sable par défaut : @@ -10880,67 +11025,67 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Compatibilité - + In the future, don't check software compatibility Ne plus vérifier la compatibilité des logiciels - + Enable Activer - + Disable Désactiver - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie a détecté les applications logicielles suivantes dans votre système. Appuyez sur OK pour appliquer les paramètres de configuration, qui amélioreront la compatibilité avec ces applications. Ces paramètres de configuration auront un effet dans tous les bacs à sable existants et dans tous les nouveaux. - + Local Templates Modèles locaux - + Add Template Ajouter un modèle - + Text Filter Filtre de texte : - + This list contains user created custom templates for sandbox options Cette liste contient des modèles personnalisés créés par l'utilisateur pour les options de bac. - + Open Template Ouvrir le modèle - + Edit ini Section Édition de la section ini - + Save Enregistrer - + Edit ini Éditer l'ini - + Cancel Annuler @@ -10949,7 +11094,7 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Soutien - + Incremental Updates Version Updates Mises à jour incrémentielles : @@ -10959,7 +11104,7 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Nouvelles versions complètes du canal de parution choisi. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Correctifs pour la version installée, mises à jour de Templates.ini et traductions. @@ -10968,7 +11113,7 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Ce certificat d'adhérent a expiré, veuillez <a href="sbie://update/cert">obtenir un certificat à jour</a>. - + The preview channel contains the latest GitHub pre-releases. Le canal des Aperçus contient les dernières pré-versions GitHub. @@ -10977,12 +11122,12 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Nouvelles versions : - + The stable channel contains the latest stable GitHub releases. Le canal Stable contient les dernières parutions stables de GitHub. - + Search in the Stable channel Rechercher dans le canal Stable @@ -10991,7 +11136,7 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Maintenir Sandboxie à jour avec les nouvelles versions de Windows et compatible avec tous les navigateurs web est un effort sans fin. Veuillez envisager de soutenir ce travail par un don.<br />Vous pouvez soutenir le développement avec un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">don PayPal</a>, fonctionnant également avec les cartes de crédit.<br />Ou vous pouvez offrir un soutien régulier avec une <a href="https://sandboxie-plus.com/go.php?to=patreon">souscription Patreon</a>. - + Search in the Preview channel Rechercher dans le canal des Aperçus @@ -11012,12 +11157,12 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Maintenir Sandboxie à jour avec les nouvelles versions de Windows et compatible avec tous les navigateurs web est un effort sans fin. Veuillez envisager de soutenir ce travail par un don.<br />Vous pouvez soutenir le développement avec un <a href="https://sandboxie-plus.com/go.php?to=donate">don PayPal</a>, fonctionnant également avec des cartes de crédit.<br />Ou vous pouvez fournir un soutien récurrent avec un <a href="https://sandboxie-plus.com/go.php?to=patreon">abonnement à Patreon</a>. - + In the future, don't notify about certificate expiration Ne plus alerter à propos de l'expiration des certificats - + Enter the support certificate here Saisir le certificat d'adhérent ici @@ -11064,39 +11209,39 @@ Contrairement au canal des Aperçus, cela n'inclut pas les modifications no Nom : - + Description: Description : - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Peu-être plutôt : « Lors de la suppression du contenu d'un instantané, un retour sera effectué à cet instantané au lieu d'aucun. » Lors de la suppression du contenu d'un instantané, un retour sera effectué à l'instantané précédent à la place. - + Default snapshot Instantané par défaut - + Snapshot Actions Je n'ai pas trouvé de meilleur traduction. Actions d'instantané - + Remove Snapshot Supprimer l'instantané - + Go to Snapshot Aller à l'instantané - + Take Snapshot Prendre un instantané diff --git a/SandboxiePlus/SandMan/sandman_hu.ts b/SandboxiePlus/SandMan/sandman_hu.ts index 0cb2432e..e209c67e 100644 --- a/SandboxiePlus/SandMan/sandman_hu.ts +++ b/SandboxiePlus/SandMan/sandman_hu.ts @@ -9,53 +9,53 @@ - + kilobytes KB - + Protect Box Root from access by unsandboxed processes - - + + TextLabel Szövegcímke - + Show Password - + Enter Password - + New Password - + Repeat Password - + Disk Image Size - + Encryption Cipher - + Lock the box when all processes stop. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? - + Installing: %1 - + Add-on not found, please try updating the add-on list in the global settings! - + Add-on Not Found - + Add-on is not available for this platform Addon is not available for this paltform - + Missing installation instructions Missing instalation instructions - + Executing add-on setup failed - + Failed to delete a file during add-on removal - + Updater failed to perform add-on operation Updater failed to perform plugin operation - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 - + Do you want to remove %1? - + Removing: %1 - + Add-on not found! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Speciális sandbox-beállításo - + On this page advanced sandbox options can be configured. Ezen az oldalon speciális sandbox-beállítások konfigurálhatók. @@ -187,34 +187,34 @@ Engedélyezze az MSIServer futtatását egy sandbox rendszerjogkivonattal - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -222,52 +222,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Letiltva - + Advanced Options Fejlett beállítások - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -381,31 +391,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) KB (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -421,22 +431,22 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox Új homokozó létrehozása - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. A homokozó elszigeteli a gazdagépet a homokozón belül futó folyamatoktól, és megakadályozza, hogy állandó változtatásokat hajtsanak végre a számítógépen lévő egyéb programokon és adatokon. Az elszigeteltség szintje hatással van az Ön biztonságára, valamint az alkalmazásokkal való kompatibilitásra, ezért a kiválasztott homokozótípustól függően eltérő szintű lesz az elkülönítés. A Sandboxie emellett megvédheti személyes adatait attól, hogy a felügyelete alatt futó folyamatok hozzáférjenek hozzájuk. - + Enter box name: Homokozó nevének megadása: @@ -445,121 +455,121 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a Új homokozó - + Select box type: Sellect box type: Homokozó típusának kiválasztása: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection Megerősített homokozó adatvédelemmel - + Security Hardened Sandbox Biztonságos megerősített homokozó - + Sandbox with Data Protection Homokó adatvédelemmel - + Standard Isolation Sandbox (Default) Általános biztonságú homokozó (alapértelmezett) - + Application Compartment with Data Protection Alkalmazásrekesz adatvédelemmel - + Application Compartment Box - + Confidential Encrypted Box - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -569,17 +579,17 @@ This ensures the utmost level of privacy and data protection within the confiden Alkalmazásrekesz (NINCS izoláció) - + Remove after use Eltávolítás használaz után - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Miután a mezőben lévő utolsó folyamat befejeződik, a homokozóban lévő összes adat törlődik, és magát a homokozót eltávolítjuk. - + Configure advanced options Speciális beállítások konfigurálása @@ -865,37 +875,65 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - Normál - - - - Maximum + Zip + Store + + + + + Fastest + + + + + Fast + + + + + Normal + Normál + + + + Maximum + + + + Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + + + + + This name is already in use, please select an alternative box name + Ez a név már használatban van, kérjük, válasszon másik homokozónevet + + CFileBrowserWindow @@ -945,13 +983,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure Sandbox helye és viselkedése - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -960,64 +998,64 @@ You can use %USER% to save each users sandbox to an own fodler. A %USER% segítségével minden felhasználót saját mappába menthet. - + Sandboxed Files Sandbox-fájlok - + Select Directory Könyvtár kiválasztása - + Virtualization scheme Virtualizációs séma - + Version 1 Verzió 1 - + Version 2 Verzió 2 - + Separate user folders Külön felhasználói mappák - + Use volume serial numbers for drives Kötet sorozatszámainak használata a meghajtókhoz - + Auto delete content when last process terminates Tartalom automatikus törlése az utolsó folyamat befejezésekor - + Enable Immediate Recovery of files from recovery locations A fájlok azonnali helyreállításának engedélyezése a helyreállítási helyekről - + The selected box location is not a valid path. The sellected box location is not a valid path. A kijelölt homokozó helye nem érvényes elérési út. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? A kiválasztott homokozó helye létezik, és nem üres, ajánlatos új vagy üres mappát választani. Biztos benne, hogy egy meglévő mappát használna? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. A kiválasztott homokozó nem található a jelenleg elérhető meghajtón. @@ -1153,83 +1191,83 @@ A %USER% segítségével minden felhasználót saját mappába menthet. CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access Hálózati hozzáférés - + Allow network/internet access Hálózati/internet-hozzáférés engedélyezése - + Block network/internet by denying access to Network devices Blockiere Netzwerk-/ Internetzugriff durch Ablehnung des Zugriffs auf Netzwerkgeräte - + Block network/internet using Windows Filtering Platform Hálózati/internet-hozzáférés blokkolása a Windows szűrőplatform segítségével - + Allow access to network files and folders Hozzáférés engedélyezése a hálózati fájlokhoz és mappákhoz - - + + This option is not recommended for Hardened boxes Ez a beállítás nem ajánlott megerősített homokozókhoz - + Prompt user whether to allow an exemption from the blockade - + Admin Options Rendszergazdai beállítások - + Drop rights from Administrators and Power Users groups Rendszergazdai és fő felhasználói jogok törlése - + Make applications think they are running elevated Elhitetheti a programokkal, hogy emelt szintű jogosultságokkal futnak - + Allow MSIServer to run with a sandboxed system token Engedélyezze az MSIServer futtatását egy sandbox rendszerjogkivonattal - + Box Options Homokozó beállítások - + Use a Sandboxie login instead of an anonymous token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Egyéni Sandboxie token használata lehetővé teszi az egyes sandboxok jobb elkülönítését egymástól, és a feladatkezelők felhasználói oszlopában megmutatja annak a homokozónak a nevét, amelyhez egy folyamat tartozik. Néhány harmadik féltől származó biztonsági megoldás azonban problémákat okozhat az egyéni tokenekkel. @@ -1335,24 +1373,25 @@ A %USER% segítségével minden felhasználót saját mappába menthet. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. Az új homokozó létrehozva a virtualizációs séma verzió 2-vel: <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, Ha váratlan problémákat tapasztal ezzel a homokozóval, kérjük, váltson a "Virtualizációs séma 1-es verziójára", és jelentse a problémát. Az előbeállítás módosításának lehetősége a "Homokozóstruktúra csoport" "Homokozó beállításaiban" található. - + Don't show this message again. Ne jelenítse meg újra ezt az üzenetet. @@ -1368,38 +1407,38 @@ A %USER% segítségével minden felhasználót saját mappába menthet. COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? Ellenőrzi, hogy létezik-e a Sandboxie-Plus új verziója? - + Don't show this message again. Ne jelenítse meg újra ezt az üzenetet. - + Checking for updates... Frissítések keresése... - + server not reachable a szerver nem érhető el - - + + Failed to check for updates, error: %1 Nem sikerült ellenőrizni a frissítéseket, hiba: %1 - + <p>Do you want to download the installer?</p> <p>Letölti a legújabb telepítőt?</p> - + <p>Do you want to download the updates?</p> <p>Letölti a frissítéseket?</p> @@ -1408,80 +1447,80 @@ A %USER% segítségével minden felhasználót saját mappába menthet.<p>Megnyitja a <a href="%1">frissítési oldalt</a>?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> - + Don't show this update anymore. Ne jelenítse meg többé ezt a frissítést. - + Downloading updates... Frissítések letöltése... - + invalid parameter érvénytelen paraméter - + failed to download updated information failed to download update informations nem sikerült letölteni a frissített információkat - + failed to load updated json file failed to load update json file nem sikerült betölteni a frissített JSON-fájlt - + failed to download a particular file nem sikerült letölteni egy adott fájlt - + failed to scan existing installation nem sikerült ellenőrizni a meglévő telepítést - + updated signature is invalid !!! update signature is invalid !!! a frissített aláírás érvénytelen !!! - + downloaded file is corrupted a letöltött fájl sérült - + internal error belső hiba - + unknown error ismeretlen hiba - + Failed to download updates from server, error %1 Nem sikerült letölteni a frissítéseket a szerverről, hiba: %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>A Sandboxie-Plus frissítések letöltve.</p><p>Alkalmazza ezeket a frissítéseket? Ha bármely program homokozóban fut, akkor leáll.</p> - + Downloading installer... Telepítő letöltése... @@ -1490,34 +1529,34 @@ A %USER% segítségével minden felhasználót saját mappába menthet.Nem sikerült letölteni a telepítőt innen: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Új Sandboxie-Plus telepítő lett letöltve a következő helyre:</p><p><a href="%2">%1</a>< /p><p>Elkezdi a telepítést? Ha bármely program homokozóban fut, akkor leáll.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Megnyitja az <a href="%1>információs oldalt </a>?</p> - + Don't show this announcement in the future. Ne jelenítse meg ezt a közleményt a jövőben. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Elérhető a Sandboxie-Plus új verziója.<br /><font color='red'><b>Új verzió:</b></ font> <b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1539,9 +1578,9 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - - + + Browse for File Fájl keresése @@ -1685,21 +1724,21 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory Mappa kiválasztása - + - - - - + + + + @@ -1709,12 +1748,12 @@ Note: The update check is often behind the latest GitHub release to ensure that Minden program - - + + - - + + @@ -1748,8 +1787,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1762,150 +1801,150 @@ Note: The update check is often behind the latest GitHub release to ensure that A sablonértékek nem törölhetők. - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Engedélyezze a win32 hook használatát a kiválasztott folyamatokhoz. Megjegyzés: Először engedélyeznie kell a win32k syscall hook támogatását globálisan. - + Enable crash dump creation in the sandbox folder Az összeomlási dump létrehozásának engedélyezése a sandbox mappában - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Mindig használja az "ElevateCreateProcess" javítást, ahogyan azt néha a programkompatibilitási asszisztens is alkalmazza. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes Engedélyezze a speciális inkonzisztens PreferExternal Manifest viselkedést, ha egyes éljavításokhoz szükséges - + Set RpcMgmtSetComTimeout usage for specific processes Állítsa be az "RpcMgmtSetComTimeout" használatát bizonyos folyamatokhoz - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Nyitott írási hívást indít egy fájlhoz, amely nem másolható, ahelyett, hogy csak olvashatóvá változtatná. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. A megadott folyamatok úgy gondolják, hogy rendszergazdai jogosultságokkal rendelkeznek. - + Force specified processes to wait for a debugger to attach. A megadott folyamatok kényszerítése arra, hogy várjanak egy hibakereső csatolására. - + Sandbox file system root Sandbox fájlrendszer gyökér - + Sandbox registry root Sandbox rendszerleíró adatbázis gyökér - + Sandbox ipc root Sandbox ipc gyökér - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: Speciális opció hozzáadása: - - + + On Start Indításkor - - - - - + + + + + Run Command Parancs futtatása - + Start Service Szolgáltatás indítása - + On Init Inicializáskor - + On File Recovery Fájl helyreállításakor - + On Delete Content Tartalom törlésekor - + On Terminate - - - - - + + + + + Please enter the command line to be executed Kérjük, írja be a végrehajtandó parancssort - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1914,48 +1953,74 @@ Note: The update check is often behind the latest GitHub release to ensure that Kérjük, adja meg a programfájl nevét - + Deny Tagadás - + %1 (%2) %1 (%2) - - + + Process Folyamat - - + + Folder Mappa - + Children - - - + + Document + + + + + + Select Executable File Futtatható fájl kiválasztása - - - + + + Executable Files (*.exe) Futtatható fájlok (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? @@ -2040,156 +2105,156 @@ Note: The update check is often behind the latest GitHub release to ensure that Alkalmazás rekesz - + Custom icon Egyéni ikon - + Version 1 Verzió 1 - + Version 2 Verzió 2 - + Browse for Program Program keresése - + Open Box Options Homokozó opciók megnyitása - + Browse Content Tartalom tallózása - + Start File Recovery Fájl helyreállítás indítása - + Show Run Dialog Futtatás párbeszédablak megjelenítése - + Indeterminate Meghatározhatatlan - + Backup Image Header - + Restore Image Header - + Change Password Jelszó módosítása - - + + Always copy Mindig másoljon - - + + Don't copy Ne másoljon - - + + Copy empty Másolás üresen - + kilobytes (%1) KB (%1) - + Select color Szín kiválasztása - + Select Program Program kiválasztása - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored - + Please enter a service identifier Kérjük, adja meg a szolgáltatás azonosítóját - + Executables (*.exe *.cmd) Futtatható fájlok (*.exe *.cmd) - - + + Please enter a menu title Kérjük, adjon meg egy menücímet - + Please enter a command Kérjük, adjon meg egy parancsot @@ -2268,7 +2333,7 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Allow @@ -2395,62 +2460,62 @@ Please select a folder which contains this file. Biztos benne, hogy törli a kiválasztott helyi sablont? - + Sandboxie Plus - '%1' Options Sandboxie-Plus - '%1' opciók - + File Options Fájlok beállításai - + Grouping Csoportosítás - + Add %1 Template - + Search for options Opciók keresése - + Box: %1 Homokozó: %1 - + Template: %1 Sablon: %1 - + Global: %1 Globál: %1 - + Default: %1 Alapértelmezett: %1 - + This sandbox has been deleted hence configuration can not be saved. Ezt a homokozót törölték, ezért a konfigurációt nem lehet menteni. - + Some changes haven't been saved yet, do you really want to close this options window? Néhány változtatás még nincs elmentetve. Valóban bezárja ezt az opcióablakot? - + Enter program: Program megadása: @@ -2501,12 +2566,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss Kihagyás - + Remove this progress indicator from the list Folyamatjelző eltávolítása a listáról @@ -2514,42 +2579,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process Emlékezzen erre a folyamatra - + Yes Igen - + No Nem - + Terminate Befejezés - + Yes and add to allowed programs Igen és adja hozzá az engedélyezett programokhoz - + Requesting process terminated A kérelmezési folyamat befejeződött - + Request will time out in %1 sec Kérelem időtúllépés %1 mp múlva - + Request timed out Kérelem időtúllépés @@ -2557,67 +2622,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: Helyreállítás ide: - + Browse Tallózás - + Clear folder list Mappalista törlése - + Recover Helyreállítás - + Recover the file to original location Fájl helyreállítása az eredeti helyre - + Recover && Explore Helyreállítás && Megjelenítés - + Recover && Open/Run Helyreállítás && Megnyitás ill. futtatás - + Open file recovery for this box Fájl helyreállítás megnyitása ebben a homokozóban - + Dismiss Kihagyás - + Don't recover this file right now Ne állítsa helyre most ezt a fájlt - + Dismiss all from this box Minden kihagyása ebben a homokozóban - + Disable quick recovery until the box restarts A gyors helyreállítás letiltása a homokozó újraindíatásáig - + Select Directory Könyvtár kiválasztása @@ -2753,37 +2818,42 @@ Teljes útvonal: %4 - + Select Directory Könyvtár kiválasztása - + + No Files selected! + + + + Do you really want to delete %1 selected files? Valóban törli %1 kiválasztott fájlt? - + Close until all programs stop in this box Bezárás, amíg a homokozóban lévő összes program le nem áll; - + Close and Disable Immediate Recovery for this box Zárja be és tiltsa le az azonnali helyreállítást ehhez a homokozóhoz - + There are %1 new files available to recover. %1 új fájl áll rendelkezésre a helyreállításhoz. - + Recovering File(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. A homokozóban %1 fájl és %2 mappa található, amelyek %3 lemezterületet foglalnak el. @@ -2939,22 +3009,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 Várakozás a mappára: %1 - + Deleting folder: %1 Mappa törlése: %1 - + Merging folders: %1 &gt;&gt; %2 Mappák egyesítése: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Pillanatkép-egyesítés befejezése... @@ -2962,37 +3032,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled Letiltva - + OPEN Root Access Root Access NYITÁSA - + Application Compartment Alkalmazás rekesz - + NOT SECURE NEM BIZTONSÁGOS - + Reduced Isolation Csökkentett izoláció - + Enhanced Isolation Továbfejlesztett izoláció - + Privacy Enhanced Továbbfejlesztett adatvédelem @@ -3001,32 +3071,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, API napló - + No INet (with Exceptions) - + No INet Nincs internet - + Net Share Net megosztás (Net share) - + No Admin Nincs Admin - + Auto Delete Automatikus törlés - + Normal Normál @@ -3040,22 +3110,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie-Plus v%1 - + Reset Columns Oszlopok visszaállítása - + Copy Cell Cella másolása - + Copy Row Sor másolása - + Copy Panel Panel másolása @@ -3318,7 +3388,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus Sandboxie-Plus névjegye @@ -3404,9 +3474,9 @@ Elvégzi a takarítást? - - - + + + Don't show this message again. Ne jelenjen meg többet ez az üzenet. @@ -3520,45 +3590,45 @@ Please check if there is an update for sandboxie. - + The selected feature requires an <b>advanced</b> supporter certificate. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - - + + Don't ask in future A jövőben ne kérdezzen - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Hiba - + Failed to stop all Sandboxie components Nem sikerült leállítani minden Sandboxie komponenst - + Failed to start required Sandboxie components A szükséges Sandboxie komponensek elindítása sikertelen @@ -3605,7 +3675,7 @@ Nem választás: %2 %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> A kiválasztott funkciókészlet csak a projekt támogatói számára érhető el. A támogatói tanúsítvány nélkül engedélyezett funkciókészlettel elindított folyamatok 5 perc múlva leállnak.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Legyen támogatónk</a>, és kap egy <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">támogatói tanúsítványt</a> @@ -3664,22 +3734,22 @@ Nem választás: %2 Néhány fájlt nem sikerült helyreállítani: - + Only Administrators can change the config. Csak a rendszergazda módosíthatja a konfigurációt. - + Please enter the configuration password. Kérjük, adja meg a konfigurációs jelszót. - + Login Failed: %1 Belépés sikertelen: %1 - + Do you want to terminate all processes in all sandboxes? Leállít minden folyamatot az összes homokozóban? @@ -3688,107 +3758,107 @@ Nem választás: %2 Leállít mindent kérés nélkül - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. A Sandboxie-Plus hordozható módban indult, és létre kell hoznia a szükséges szolgáltatásokat. Ez adminisztrátori jogosultságokat kér. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. VIGYÁZAT: Egy másik ügynök (valószínűleg SbieCtrl.exe) már kezeli ezt a Sandboxie-munkamenetet. Kérjük, előbb zárja be, majd csatlakozzon újra, hogy átvegye az irányítást. - + Executing maintenance operation, please wait... Karbantartási művelet van folyamatban. Kérjük, várjon... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Visszaállítja a rejtett üzenet mezőket (Igen) vagy csak az összes naplóüzenetet (Nem)? - + The changes will be applied automatically whenever the file gets saved. A változtatások automatikusan érvénybe lépnek, amikor a fájl mentésre kerül. - + The changes will be applied automatically as soon as the editor is closed. A módosítások automatikusan érvénybe lépnek, amikor a szerkesztő bezárul. - + Error Status: 0x%1 (%2) Állapot hiba: 0x%1 (%2) - + Unknown Ismeretlen - + A sandbox must be emptied before it can be deleted. A homokozót a törlés előtt ki kell üríteni. - + Failed to copy box data files A homokó adatfájljainak másolása sikertelen - + Failed to remove old box data files A régi homokozó adatfájljainak eltávolítása sikertelen - + Unknown Error Status: 0x%1 Ismeretlen hiba állapot: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - + Sandboxed - + Unsandboxed - + Case Sensitive - + RegExp - + Highlight - + Close Bezárás - + &Find ... - + All columns @@ -3810,7 +3880,7 @@ Nem választás: %2 SandboxiePlus a nyilt forráskodú Sandboxie folytatása. <br />Keresse fel a <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> weblapot több információért. <br /><br />%3<br /><br />Driver verzió: %1<br />Funkciók: %2<br /><br />Ikonok: <a href="https://icons8.com">icons8.com</a> - + Administrator rights are required for this operation. Ehhez a művelethez rendszergazdai jogosultság szükséges. @@ -4098,99 +4168,99 @@ Nem választás: %2 – CSAK nem kereskedelmi használatra - + Failed to configure hotkey %1, error: %2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. %1 program, amely %2 homokozóban indult, 5 percen belül leáll, mert a homokozó úgy lett beállítva, hogy kizárólag a projekttámogatók számára elérhető szolgáltatásokat használja. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. %1 homokozó úgy van beállítva, hogy kizárólag a projekt támogatói számára elérhető szolgáltatásokat használja, ezeket az előre beállított értékeket figyelmen kívül hagyja. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Legyen támogatónk</a>, és kap egy <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">támogatói anúsítványt</a> - + The Certificate Signature is invalid! - + The Certificate is not suitable for this product. - + The Certificate is node locked. - + The support certificate is not valid. Error: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! A próbaidőszak időszak lejárt!!! @@ -4213,47 +4283,47 @@ Error: %1 Importálás: %1 - + Please enter the duration, in seconds, for disabling Forced Programs rules. Kérjük, adja meg a "Kényszerített programok" szabályainak letiltásához szükséges időtartamot másodpercben. - + No Recovery Nind hrlyreállítás - + No Messages Nincsenek üzenetek - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. - + Maintenance operation failed (%1) Karbantartási művelet sikertelen (%1) - + Maintenance operation completed A karbantartási művelet befejeződött - + In the Plus UI, this functionality has been integrated into the main sandbox list view. A Plus felhasználói felületen ez a funkció a fő sandbox listanézetbe integrálva lett. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. A homokozó/csoport helyi menü használatával áthelyezhet homokozókat és csoportokat más csoportokba. A fogd és vidd módszerrel is mozgathatja az elemeket. Alternatív megoldásként használhatja a nyílbillentyűket, miközben lenyomva tartja az ALT billentyűt, hogy fel-le mozgassa az elemeket a csoporton belül.<br />Új homokozókat és csoportokat hozhat létre a Sandbox menüből. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4262,199 +4332,199 @@ This file is part of Sandboxie and all changed done to it will be reverted next Ez a fájl a Sandboxie része, és minden rajta végzett módosítás vissza lesz állítva a Sandboxie következő frissítésekor. - + Sandboxie config has been reloaded A Sandboxie konfigurációja újratöltve - + Failed to execute: %1 Végrehajtás sikertelen: %1 - + Failed to connect to the driver Kapcsolódás a driverhez sikertelen - + Failed to communicate with Sandboxie Service: %1 Kommunikáció a homokozó szolgáltatással sikertelen: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 %1 nem-kompatibilis Sandboxie verzió található. Kompatibilis verziók: %2 - + Can't find Sandboxie installation path. Sandboxie telepítési útvonala nem található. - + Failed to copy configuration from sandbox %1: %2 Nem sikerült másolni a konfigurációt a %1 homokozóból: %2 - + A sandbox of the name %1 already exists %1 néven már létezik egy homokozó - + Failed to delete sandbox %1: %2 ínem sikerült törölni %1 homokozót: %2 - + The sandbox name can not be longer than 32 characters. A homokozó neve nem lehet hosszabb 32 karakternél. - + The sandbox name can not be a device name. A homokozó neve nem lehet egy eszköz neve. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. A homokozó neve csak betűket, számokat és aláhúzásokat tartalmazhat, amelyek szóközként jelennek meg. - + Failed to terminate all processes Nem sikerült minden folyamatot leállítani - + Delete protection is enabled for the sandbox A törlésvédelem engedélyezve van a homokozóban - + All sandbox processes must be stopped before the box content can be deleted Minden homokozói folyamatot le kell állítani a homokozó tartalmának törlése előtt - + Error deleting sandbox folder: %1 Hiba történt a homokozó mappa törlésekor: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. - + Failed to move directory '%1' to '%2' '%1' könyvtár átmozgatása sikertelen ide: '%2' - + Failed to move box image '%1' to '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Ez a pillanatkép nem hajtható végre, amíg a folyamat még fut a homokozóban. - + Failed to create directory for new snapshot Könyvtár létrehozása az új pillanatkép részére sikertelen - + Snapshot not found Pillanatkép nem található - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Hiba történt a pillanatkép könyvtárak egyesítésekor: '%1' ezzel: '%2', a pillanatkép nincs teljesen összevonva. - + Failed to remove old snapshot directory '%1' A régi '%1' pillanatkép könyvtár eltávolítása sikertelen - + Can't remove a snapshot that is shared by multiple later snapshots Nem lehet eltávolítani azt a pillanatképet, amelyet több későbbi pillanatkép is megoszt - + You are not authorized to update configuration in section '%1' Nem jogosult a konfiguráció frissítésére '%1' szakaszban - + Failed to set configuration setting %1 in section %2: %3 %1 konfigurációs beállítások beállítása sikertelen %2 szakaszban: %3 - + Can not create snapshot of an empty sandbox Nem lehet pillanatképet készíteni egy üres homokozóról - + A sandbox with that name already exists Már létezik ilyen nevű homokozó - + The config password must not be longer than 64 characters A konfigurációs jelszó nem lehet 64 karakternél hosszabb - + The operation was canceled by the user A műveletet a felhasználó törölte - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded Az importálás/exportálás nem érhető el, a 7z.dll nem tölthető be - + Failed to create the box archive Nem sikerült létrehozni a homokozó archívumot - + Failed to open the 7z archive Nem sikerült megnyitni a 7z archívumot - + Failed to unpack the box archive Nem sikerült kicsomagolni a homokozó archívumot - + The selected 7z file is NOT a box archive A kiválasztott 7z fájl NEM egy homokozó archívum - + Operation failed for %1 item(s). %1 elemre vonatkozó művelet sikertelen. @@ -4463,28 +4533,28 @@ Ez a fájl a Sandboxie része, és minden rajta végzett módosítás vissza les Megnyitja a %1 weblapot egy homokozóban (Igen) vagy azon kívül (Nem)? - + Remember choice for later. A választás megjegyzése. - + The supporter certificate is not valid for this build, please get an updated certificate A támogatói tanúsítvány nem érvényes ehhez a buildhez, kérjük, szerezzen be frissített tanúsítványt - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate A támogatói tanúsítvány %1 napja lejárt, kérjük, szerezzen be frissített tanúsítványt - + , but it remains valid for the current build , de érvényes marad a jelenlegi buildre - + The supporter certificate will expire in %1 days, please get an updated certificate A támogatói tanúsítvány %1 nap múlva lejár. Kérjük, hosszabítsa meg @@ -4762,38 +4832,38 @@ Ez a fájl a Sandboxie része, és minden rajta végzett módosítás vissza les CSbieTemplatesEx - + Failed to initialize COM - + Failed to create update session - + Failed to create update searcher - + Failed to set search options - + Failed to enumerate installed Windows updates Failed to search for updates - + Failed to retrieve update list from search result - + Failed to get update count @@ -4801,310 +4871,310 @@ Ez a fájl a Sandboxie része, és minden rajta végzett módosítás vissza les CSbieView - - + + Create New Box Új homokozó létrehozása - + Remove Group Csoport eltávolítása - - + + Run Futtatás - + Run Program Program indítása - + Run from Start Menu Indítás a "Startmenü"-ből - + Default Web Browser Alapértelmezett WEb böngésző - + Default eMail Client Alapértelmezett e-mail kliens - + Windows Explorer Windows Intéző - + Registry Editor Rendszerleíróadatbázis-szerkesztő - + Programs and Features Programok és szolgáltatások - + Terminate All Programs Minden program leállítása - - - - - + + + + + Create Shortcut Parancsikon létrehozása - - + + Explore Content Tartalom megjelenítése - - + + Snapshots Manager Pillanatkép kezelő - + Recover Files Fájlok helyreállítása - - + + Delete Content Tartalom törlése - + Sandbox Presets Homokozó előbeállítások - + Ask for UAC Elevation UAC frissítés kérése - + Drop Admin Rights Rendszergazdai jogok korlátozása - + Emulate Admin Rights Rendszergazdai jogok emulálása - + Block Internet Access Internetelérés blokkolása - + Allow Network Shares Hálózati megosztások engedélyezése - + Sandbox Options Homokozó beállítások - + Standard Applications - + Browse Files Fájlok tallózása - - + + Sandbox Tools Sandbox eszközök - + Duplicate Box Config Homokozó konfig. megkettőzése - - + + Rename Sandbox Homokozó átnevezése - - + + Move Sandbox Sandbox áthelyezése - - + + Remove Sandbox Homokozó eltávolítása - - + + Terminate Befejezés - + Preset Előbeállítás - - + + Pin to Run Menu Rögzítés a Startmenübe - + Block and Terminate Blokkolás és befejezés - + Allow internet access Internethozzáférés engedélyezése - + Force into this sandbox Kényszerítse ezt a homokozót - + Set Linger Process Elhúzódó folyamat (LingerProcess) beállítása - + Set Leader Process Fő folyamat beállítása - + File root: %1 Fájlgyökér: %1 - + Registry root: %1 Registry-gyökér: %1 - + IPC root: %1 IPC-gyökér: %1 - + Options: Beállítások: - + [None] [Nincs] - + Please enter a new group name Az új csoport nevének megadása - + Do you really want to remove the selected group(s)? Biztos benne, hogy eltávolítja a kiválasztott csoporto(ka)t? - - + + Create Box Group Homokozó csoport létrehozása - + Rename Group Ceoport átnevezése - - + + Stop Operations Műveletek leállítása - + Command Prompt Parancssor - + Command Prompt (as Admin) Parancssor (rendszergazdaként) - + Command Prompt (32-bit) Parancssor (32-bit) - + Execute Autorun Entries Automatikus indítási bejegyzések végrehajtása - + Browse Content Homokozó tallózása - + Box Content Homokozó tartalma - + Open Registry Registry megnyitása - - + + Refresh Info Információ frissítése - - + + (Host) Start Menu (Host) Start Menu @@ -5113,29 +5183,29 @@ Ez a fájl a Sandboxie része, és minden rajta végzett módosítás vissza les További eszközök - + Immediate Recovery Azonnali helyreállítás - + Disable Force Rules - + Export Box Homokozó exportálása - - + + Move Up Mozgatás felfelé - - + + Move Down Mozgatás lefelé @@ -5144,289 +5214,282 @@ Ez a fájl a Sandboxie része, és minden rajta végzett módosítás vissza les Izolált futtatás - + Run Web Browser Webböngésző futtatásao - + Run eMail Reader E-mail olvasó futtatása - + Run Any Program Bármelyik program futtatása - + Run From Start Menu Futtatás a Start menüből - + Run Windows Explorer Windows intéző futtatása - + Terminate Programs Programok leállítása - + Quick Recover Gyors helyreállítás - + Sandbox Settings Sandbox beállításai - + Duplicate Sandbox Config Sandbox konfiguráció megkettőzése - + Export Sandbox Sandbox exportálása - + Move Group Csoport áthelyezése - + Disk root: %1 - + Please enter a new name for the Group. A csoport új nevének megadása. - + Move entries by (negative values move up, positive values move down): Bejegyzések mozgatása (a negatív értékek felfelé, a pozitív értékek lefelé): - + A group can not be its own parent. Egy csoport nem lehet saját szülője. - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + This name is already in use, please select an alternative box name - Ez a név már használatban van, kérjük, válasszon másik homokozónevet + Ez a név már használatban van, kérjük, válasszon másik homokozónevet - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 Importálás: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. A Sandbox és a homokózó neve nem használhatja a ',()' szimbólumot. - + This name is already used for a Box Group. Ezt a nevet már egy homokozó csoport használja. - + This name is already used for a Sandbox. Ezt a nevet már egy homokozó használja. - - - + + + Don't show this message again. Ne jelenjen meg többet ez az üzenet. - - - + + + This Sandbox is empty. Ez a homokozó üres. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. FIGYELEM: a megnyitott rendszerleíróadatbázis-szerkesztő nincs a homokozóban. Legyen óvatos, és csak az előre kiválasztott homokozó helyeken végezzen változtatásokat. - + Don't show this warning in future A jövöben ne jelenjen meg többet ez a figyelmeztetés - + Please enter a new name for the duplicated Sandbox. A duplikált homokzó nevének megadésa. - + %1 Copy %1 másolása - - + + Select file name Fájlnév kiválasztása - - + + Import Box Homokozó importálása - - + + Mount Box Image - - + + Unmount Box Image - + Suspend - + Resume - - 7-zip Archive (*.7z) - 7-zip archívum (*.7z) + 7-zip archívum (*.7z) - + Exporting: %1 Exportálás: %1 - + Please enter a new name for the Sandbox. A homokozó új nevének megadása. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? Biztos benne, hogy eltávolítja a kiválasztott homokozó(ka)t?<br /><br />Figyelem: a homokozó tartalma is törlődik! - + This Sandbox is already empty. Ez a homokozó már üres. - - + + Do you want to delete the content of the selected sandbox? Törli a kijelölt homokozó tartalmát? - - + + Also delete all Snapshots Az összes pillatfelvétel törlése - + Do you really want to delete the content of all selected sandboxes? Az összes kiválasztott homokozó tartalmás is törli? - + Do you want to terminate all processes in the selected sandbox(es)? Leállít minden folyamatot a kiválasztott homokozó(k)ban? - - + + Terminate without asking Fejezze kérés nélkül - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Megjelenik a Sandboxie Start menü. Válasszon ki egy alkalmazást a menüből, és a Sandboxie létrehoz egy új parancsikont a valódi asztalon, amellyel meghívhatja a kiválasztott alkalmazást a Sandboxie felügyelete alatt. - - + + Create Shortcut to sandbox %1 Parancsikon létrehozása %1 homokozóhoz - + Do you want to terminate %1? Do you want to %1 %2? Leállítja a következőt: %1? - + the selected processes A kiválasztott folyamatot"> - + This box does not have Internet restrictions in place, do you want to enable them? Ebben a homokozóban nincsenek internetkorlátozások. Engedélyezi a korlátozást? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Ez a homokozó le van tiltva. Bekapcsolja? @@ -5471,463 +5534,463 @@ Ez a fájl a Sandboxie része, és minden rajta végzett módosítás vissza les CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie-Plus - általános beállítások - + Auto Detection Automatikus érzékelés - + No Translation Nincs fordítás - - + + Don't integrate links Ne integráljon linkeket - - + + As sub group Alcsoportként - - + + Fully integrate Teljes integrálás - + Don't show any icon Don't integrate links Ne jelenjen meg ikon - + Show Plus icon Plus ikon megjelenítése - + Show Classic icon Klasszikus ikon megjelenítése - + All Boxes Minden homokozó - + Active + Pinned Aktív + kitűzött - + Pinned Only Csak a kitűzött - + Close to Tray - + Prompt before Close - + Close Bezárás - + None Nincs - + Native Natív - + Qt Qt - + Every Day - + Every Week - + Every 2 Weeks - + Every 30 days - + Ignore Figyelmen kívül hagyás - + %1 %1 % %1 - + HwId: %1 - + Search for settings Keresés a beállításokban - - - + + + Run &Sandboxed Izolált módú futtatá&s - + kilobytes (%1) KB (%1) - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + Expires in: %1 days Expires: %1 Days ago - + Expired: %1 days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Letiltva - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Contributor - + Eternal - + Business - + Personal - + Great Patreon - + Patreon - + Family - + Home - + Evaluation - + Type %1 - + Advanced - + Advanced (L) - + Max Level - + Level %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. - + This certificate has unfortunately expired, you need to get a new certificate. - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Sandboxed Web Browser Izolált web böngésző - - + + Notify Értesítés - - + + Download & Notify Értesítés letöltése - - + + Download & Install Telepítés letöltése - + Browse for Program Tallózás a programhoz - + Add %1 Template - + Select font - + Reset font - + %0, %1 pt - + Please enter message - + Select Program Program kiválasztása - + Executables (*.exe *.cmd) Futtatható fájlok (*.exe *.cmd) - - + + Please enter a menu title A menü címének megadása - + Please enter a command Kérjük, adjon meg egy parancsot @@ -5936,7 +5999,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ez a tanúsítvány lejárt. Kérjük, <a href="sbie://update/cert">szerezzen egy frissített tanúsítványt</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>A plusz funkciók %1 napon belül le lesznek tiltva.</font> @@ -5945,7 +6008,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.<br /><font color='red'>Ennél a buildnél a Plusz funkciók továbbra is engedélyezve maradnak.</font> - + <br />Plus features are no longer enabled. <br />A plusz funkciók már nincsenek engedélyezve. @@ -5959,22 +6022,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Támogatói tanúsítvány szükséges - + Run &Un-Sandboxed Futtatás &homokozón kívül - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Ez nem úgy néz ki, mint egy tanúsítvány. Kérjük, adja meg a teljes tanúsítványt, ne csak egy részét. @@ -5987,7 +6050,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ez a tanúsítvány sajnos elavult. - + Thank you for supporting the development of Sandboxie-Plus. Köszönjük, hogy támogatja a Sandboxie-Plus fejlesztését. @@ -5996,88 +6059,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ez a támogatói tanúsítvány nem érvényes. - + Update Available - + Installed - + by %1 - + (info website) - + This Add-on is mandatory and can not be removed. - - + + Select Directory Könyvtár kiválasztása - + <a href="check">Check Now</a> <a href="check">Ellenőrzés most</a> - + Please enter the new configuration password. Az új konfigurációs jelszó megadása. - + Please re-enter the new configuration password. Kérjük, adja meg újra a konfigurációs jelszót. - + Passwords did not match, please retry. A jelszavak nem egyeznek. Kérjük, próbálja meg újra. - + Process Folyamatok - + Folder Mappa - + Please enter a program file name Egy program nevének megadása - + Please enter the template identifier Kérjük, adja meg a sablon azonosítóját - + Error: %1 Hiba: %1 - + Do you really want to delete the selected local template(s)? - + %1 (Current) %1 (jelenlegi) @@ -6317,34 +6380,34 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox Új Sandbox létrehozása - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Majdnem kész, kattintson a "Befejezés" gombra egy új homokozó létrehozásához és a varázsló befejezéséhez. - + Save options as new defaults Beállítások mentése új alapértelmezettként - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) Ne jelenítse meg a jövőben az összefoglaló oldalt (hacsak nincs beállítva speciális beállítások) - + This Sandbox will be saved to: %1 Ez a homokozó a következő helyre kerül mentésre: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6352,19 +6415,19 @@ This box's content will be DISCARDED when its closed, and the box will be r A homokozó tartalmát a rendszer ELVETI, amikor bezárja, és a homokozó eltávolításra kerül. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Ez a homokozó ELVETI a tartalmát, ha bezárja, csak ideiglenes adatok tárolására alkalmas. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Az ebben a mezőben szereplő folyamatok nem fognak tudni hozzáférni az internethez vagy a helyi hálózathoz, ez biztosítja, hogy az összes elért adat bizalmas maradjon. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6372,13 +6435,13 @@ This box will run the MSIServer (*.msi installer service) with a system token, t Ez a homokozó az MSIServer (*.msi telepítő szolgáltatás) rendszerjogkivonattal fog futni, ez javítja a kompatibilitást, de csökkenti a biztonsági elszigeteltséget. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Az ebben a homokozóban lévő folyamatok azt gondolják, hogy rendszergazdai jogosultságokkal futnak, anélkül, hogy ténylegesen rendelkeznének velük, így a telepítők még egy megerősített homokozóban is használhatók.. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6386,7 +6449,7 @@ Processes in this box will be running with a custom process token indicating the - + Failed to create new box: %1 Nem sikerült létrehozni az új homokozót: %1 @@ -7038,33 +7101,68 @@ If you are a great patreaon supporter already, sandboxie can check online for an - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption @@ -7114,354 +7212,355 @@ If you are a great patreaon supporter already, sandboxie can check online for an Homokozó-jelző a címben: - + Sandboxed window border: Homokozós ablakkeret: - + Double click action: Dupla kattintásos művelet: - + Separate user folders Felhasználói mappák elkülönítése - + Box Structure Homokozó struktúra - + Security Options Biztonsági opciók - + Security Hardening Biztonsági szigorítás - - - - - - + + + + + + + Protect the system from sandboxed processes A rendszer védelme a homokozóban futó folyamatoktól - + Elevation restrictions Emelt szintű korlátozások - + Drop rights from Administrators and Power Users groups Rendszergazdai és fő felhasználói jogok törlése - + px Width px szélesség - + Make applications think they are running elevated (allows to run installers safely) Az alkalmazások azt hiszik, hogy emelt szinten futnak (lehetővé teszi a telepítők biztonságos futtatását) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. FIGYELMEZTETÉS: Ha a folyamatok a rejtett rendszergazdai fiók alatt futnak, nem tudja korlátozni a rendszergazdai jogosultságokat. - + Appearance Láthatóság - + (Recommended) (Ajánlott) - + Show this box in the 'run in box' selection prompt Jelenítse meg ezt a homokozót a 'futtatás homokozóban' legördülő menüben - + File Options Fájl beállítások - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates A tartalom automatikus törlése, amikor az utolsó homokozós folyamat befejeződik - + Copy file size limit: Fájlmásolási méretkorlát: - + Box Delete options Homokozó törlési opciók - + Protect this sandbox from deletion or emptying Ez a homokozó védve van a törlés és kiürítés lehetőségtől - - + + File Migration Fájl egyesítés - + Allow elevated sandboxed applications to read the harddrive Engedélyezze, hogy az emelt szintű homokozós alkalmazások olvassák a merevlemezt - + Warn when an application opens a harddrive handle Figyelmeztetés, amikor egy alkalmazás megnyitja a merevlemez kezelőjét - + kilobytes KB - + Issue message 2102 when a file is too large 2102-es üzenet kiadása, ha egy fájl túl nagy - + Prompt user for large file migration Kérje a felhasználót a nagyfájl áttelepítésére - + Allow the print spooler to print to files outside the sandbox Engedélyezze, hogy a nyomtatási sorkezelő a homokozón kívüli fájlokba nyomtasson - + Remove spooler restriction, printers can be installed outside the sandbox Sorkezelő (spooler) korlátozások eltávolítása, a nyomtatók a homokozón kívül telepíthetők - + Block read access to the clipboard A Windows vágólaphoz való hozzáférés blokkolása - + Open System Protected Storage Rendszer által védett tárhely megnyitása - + Block access to the printer spooler Hozzáférés blokkolása a nyomtatási sorkezelőhöz - + Other restrictions Egyéb korlátozások - + Printing restrictions Nyomtatási korlátozások - + Network restrictions Hálózati korlátozások - + Block network files and folders, unless specifically opened. Hálózati fájlok és mappák blokkolása, hacsak nincs külön megnyitva. - + Run Menu Futtatás menü - + You can configure custom entries for the sandbox run menu. Konfigurálhatja az egyéni bejegyzéseket a homokozó futtatási menüjéhez. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Név - + Command Line Parancssor - + Add program Program hozzáadása - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Eltávolítás - - - - - - - + + + + + + + Type Típus - + Program Groups Programcsoportok - + Add Group Csoport hozzáadása - - - - - + + + + + Add Program Program hozzáadása - + Force Folder Mappa kényszerítése - - - + + + Path Útvonal - + Force Program Program kényszerítése - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Sablonok megjelenítése - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Biztonsági megjegyzés: A Sandboxie felügyelete alatt futó, rendszergazdai vagy rendszerjogkivonattal rendelkező, emelt szintű alkalmazásoknak több lehetőségük van az elszigetelés megkerülésére és a rendszer módosítására a sandboxon kívül. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Engedélyezze az MSIServer futtatását egy sandbox rendszerjogkivonattal, és szükség esetén alkalmazzon egyéb kivételeket - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Megjegyzés: Az Msi telepítői kivételekre nincs szükség, de ha problémákat tapasztal egy megbízható msi-csomag telepítése során, ez a beállítás segíthet a telepítés sikeres befejezésében. Megpróbálhatja letiltani a rendszergazdai jogok eltávolítását is (drop admin). - + General Configuration Általános konfiguráció - + Box Type Preset: Homokozótípus előbeállított: - + Box info Homokozó információk - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>További homokozótípusok</b> kizárólag a <u>projekt támogatók részére érhetők el</u>, a továbbfejlesztett adatvédelmű homokozók <b><font color='red'>megvédik a felhasználó adatait az illetéktelen hozzáféréstől</font></b> az izolált programokkal.<br />Ha még nem támogató, kérjük, fontolja meg <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">a projekt támogatását</a>, hogy kapjon egy <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">támogatói tanúsítványt</a>.<br />Tesztelheti a többi homokozótípust, ha új homokozókat hoz létre ezekből a típusokból, azonban ezekben a folyamatok 5 perc elteltével automatikusan leállnak. @@ -7471,199 +7570,200 @@ If you are a great patreaon supporter already, sandboxie can check online for an Mindig jelenítse meg ezt a homokozót a rendszertálcák listájában (rögzítve) - + Encrypt sandbox content - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Store the sandbox content in a Ram Disk - + Set Password - + Open Windows Credentials Store (user mode) Nyissa meg a Windows hitelesítő adatok áruházát (felhasználói mód) - + Prevent change to network and firewall parameters (user mode) A hálózati és tűzfalparaméterek módosításának megakadályozása (felhasználói mód) - + Disable Security Isolation - - + + Box Protection - + Protect processes within this box from host processes - + Allow Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Deny Process - + Use a Sandboxie login instead of an anonymous token - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Csoportosíthatja a programokat, és csoportnevet adhat nekik. A programcsoportok a programnevek helyett egyes beállításokkal használhatók. A homokozóhoz definiált csoportok felülírják a sablonokban meghatározott csoportokat. - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Az ide beírt programok vagy a beírt helyekről indított programok automatikusan ebbe a homokozóba kerülnek, kivéve, ha ezeket kifejezetten egy másik homokozóban indítják el. - - + + Stop Behaviour Viselkedés leállítása - + Start Restrictions Korlátozások elindítása - + Issue message 1308 when a program fails to start 1308-as üzenet kiadása, ha a program nem indul el - + Allow only selected programs to start in this sandbox. * Csak a kiválasztott programok indításának engedélyezése ebben a homokozóban. * - + Prevent selected programs from starting in this sandbox. A kiválasztott programok indításának megakadályozása ebben a homokozóban. - + Allow all programs to start in this sandbox. Minden program elindulásának engedélyezése ebben a homokozóban. - + * Note: Programs installed to this sandbox won't be able to start at all. * Megjegyzés: az ebbe a homokozóba telepített programok egyáltalán nem indulnak el. - + Configure which processes can access Desktop objects like Windows and alike. - + Process Restrictions Folyamatkorlátozások - + Issue message 1307 when a program is denied internet access 1307-es üzenet kiadása, amikor egy programtól megtagadják az internet hozzáférést - + Prompt user whether to allow an exemption from the blockade. A felhasználó megkérdezése, hogy engedélyez-e felmentést a blokkolás alól. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Megjegyzés: az ebbe a homokozóba telepített programok egyáltalán nem fognak tudni hozzáférni az internethez. - - - - - - + + + + + + Access Hozzáférés - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Használja kötet sorozatszámait a meghajtókhoz, például: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty A homokozó szerkezete csak akkor módosítható, ha a homokozó üres + Allow sandboxed processes to open files protected by EFS - Engedélyezze a sandbox folyamatoknak az EFS által védett fájlok megnyitását + Engedélyezze a sandbox folyamatoknak az EFS által védett fájlok megnyitását - + Disk/File access Lemez/fájl hozzáférés - + Virtualization scheme Virtualizációs séma - + Force protection on mount - + Partially checked means prevent box removal but not content deletion. - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -7672,228 +7772,228 @@ If you are a great patreaon supporter already, sandboxie can check online for an 2115: a fájl nem lett áttelepítve, a fájl csak olvasható módban nyílik meg - + Issue message 2113/2114/2115 when a file is not fully migrated 2113/2114/2115 hibaüzenet, ha egy fájl nincs teljesen áttelepítve - + Add Pattern Minta hozzáadása - + Remove Pattern Minta eltávolítása - + Pattern Minta - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. A Sandboxie nem engedélyezi a hosztfájlokba való írást, hacsak a felhasználó nem engedélyezi. Amikor egy sandbox-alkalmazás megpróbál módosítani egy fájlt, a teljes fájlt át kell másolni a homokozóba, mivel nagy fájlok esetén ez jelentős időt vehet igénybe. A Sandboxie lehetőségeket kínál ezeknek az eseteknek a kezelésére, amelyeket ezen az oldalon konfigurálhat. - + Using wildcard patterns file specific behavior can be configured in the list below: A helyettesítő karakterek használatával a fájlspecifikus viselkedés az alábbi listában állítható be: - + When a file cannot be migrated, open it in read-only mode instead Ha egy fájlt nem lehet áttelepíteni, nyissa meg inkább csak olvasható módban - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Isolation - - + + Move Up Mozgatás felfelé - - + + Move Down Mozgatás lefelé - + Security Isolation Biztonsági elkülönítés - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. - + Access Isolation - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Allow useful Windows processes access to protected processes - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Resolve hostnames via proxy - + Other Options - + Port Blocking - + Block common SAMBA ports - + Block DNS, UDP port 53 - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Image Protection - + Issue message 1305 when a program tries to load a sandboxed dll - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox - + Dlls && Extensions - + Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -7901,13 +8001,13 @@ This is done to prevent rogue processes inside the sandbox from creating a renam - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. - + Advanced Security Adcanced Security Speciális biztonság @@ -7917,201 +8017,207 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Anonim token helyett Sandboxie bejelentkezést használjon (kísérleti) - + Other isolation Egyéb elszigeteltség - + Privilege isolation Privilegizált elszigeteltség - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Egyéni Sandboxie token használata lehetővé teszi az egyes sandboxok jobb elkülönítését egymástól, és a feladatkezelők felhasználói oszlopában megmutatja annak a homokozónak a nevét, amelyhez egy folyamat tartozik. Néhány harmadik féltől származó biztonsági megoldás azonban problémákat okozhat az egyéni tokenekkel. - + Program Control Programvezérlés - + Force Programs Programok kényszerítése - + Disable forced Process and Folder for this sandbox - + Breakout Programs Kitörési (Breakout) programok - + Breakout Program Kitörési (Breakout) Program - + Breakout Folder Kitörési (Breakout) mappa - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Prevent interference with the user interface (Experimental) - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + Only Administrator user accounts can make changes to this sandbox - + Job Object - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. Az itt megadott programok induláskor kitörhetnek ebből a homokozóból. Lehetőség van arra is, hogy egy másik homokozóba rögzítse őket, például úgy, hogy a webböngészője mindig egy dedikált homokozóban nyíljon meg. - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Create a new sandboxed token instead of stripping down the original token - + Drop ConHost.exe Process Integrity Level - + Force Children - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + Lingering Programs Elhúzódó programok - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Az elhúzódó programok automatikusan leállnak, ha az összes többi folyamat leállítása után is futnak. - + Leader Programs Vezető programok - + If leader processes are defined, all others are treated as lingering processes. Ha a vezető folyamatok meg vannak határozva, az összes többi elhúzódó folyamatként kezelendő. - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Files Fájlok - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Beállíthatja, hogy mely folyamatok férhetnek hozzá a fájlokhoz, mappákhoz és csövekhez. A 'Megnyitás' hozzáférés csak a sandboxon kívül található programbinárisokra vonatkozik. Ehelyett használhatja a 'Megnyitás mindenkinek' lehetőséget, hogy minden programra vonatkozzon, vagy módosítsa ezt a viselkedést a Házirendek lapon. - + Registry Registry - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Beállíthatja, hogy mely folyamatok férhetnek hozzá a rendszerleíró adatbázishoz. A 'Megnyitás' hozzáférés csak a sandboxon kívül található programbinárisokra vonatkozik Ehelyett használhatja a 'Megnyitás mindenkinek' lehetőséget, hogy minden programra vonatkozzon, vagy módosítsa ezt a viselkedést a Házirendek lapon. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Beállíthatja, hogy mely folyamatok férhetnek hozzá az NT IPC objektumokhoz, például az ALPC portokhoz és más folyamatok memóriájához és környezetéhez. A folyamat megadásához használja a '$:program.exe-t' útvonalként. - + Wnd Wnd - + Wnd Class Wnd osztály @@ -8121,157 +8227,157 @@ A folyamat megadásához használja a '$:program.exe-t' útvonalként. Beállíthatja, hogy mely folyamatok férhetnek hozzá az asztali objektumokhoz, például a Windowshoz és hasonlókhoz. - + COM COM - + Class Id Osztályazonosító - + Configure which processes can access COM objects. Beállíthatja, hogy mely folyamatok férhetnek hozzá a COM-objektumokhoz. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Ne használjon virtualizált COM-ot, nyílt hozzáférés a gazdagép COM-infrastruktúrájához (nem ajánlott) - + Access Policies Hozzáférési szabályzatok - + Network Options Hálózati beállítások - + Set network/internet access for unlisted processes: Hálózati ill. internet hozzáférés beállítása a nem jegyzett folyamatokhoz: - + Test Rules, Program: Szabályok, program tesztelése: - + Port: Port: - + IP: IP: - + Protocol: Protokoll: - + X X - + Add Rule Szabály hozzáadása - - - - - - - - - - + + + + + + + + + + Program Program - - - - + + + + Action Művelet - - + + Port Port - - - + + + IP IP - + Protocol Protokoll - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. FIGYELEM: A Windows szűrőplatform nincs engedélyezve az illesztőprogrammal, ezért ezeket a szabályokat csak felhasználói módban kell alkalmazni, és nem lehet érvényesíteni !!! Ez azt jelenti, hogy a rosszindulatú alkalmazások megkerülhetik őket. - + Resource Access Erőforrás hozzáférés - + Add File/Folder Fájl, mappa hozzáadása - + Add Wnd Class Ablak osztály hozzáadása - + Add IPC Path IPC útvonal hozzáadása - + Use the original token only for approved NT system calls Csak jóváhagyott NT rendszerhívásokhoz használja az eredeti tokent - + Enable all security enhancements (make security hardened box) Minden biztonsági fejlesztés engedélyezése (biztonságilag erősített homokozó) - + Restrict driver/device access to only approved ones Az illesztőprogramokhoz/eszközökhöz való hozzáférés korlátozása csak a jóváhagyottakra - + Security enhancements Biztonsági fejlesztések - + Issue message 2111 when a process access is denied 2111-es üzenet kiadása folyamathoz való hozzáférés megtagadásakor @@ -8284,198 +8390,198 @@ A folyamat megadásához használja a '$:program.exe-t' útvonalként. Hozzáférés elkülönítés - + Sandboxie token Sandboxie token - + Add Reg Key Reg-kulcs hozzáadása - + Add COM Object COM objektum hozzáadása - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Alkalmazza a Bezárás...=!<program>,... szabályokat a homokozóban található összes bináris fájlra is. - + Bypass IPs - + File Recovery Fájl helyreállítás - + Quick Recovery Gyors helyreállítás - + Add Folder Mappa hozzáadása - + Immediate Recovery Azonnali helyreállítás - + Ignore Extension Kiterjesztés kihagyása - + Ignore Folder Mappa kihagyása - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Azonnali helyreállítási kérés engedélyezése, hogy a fájlokat a létrehozásuk után azonnal helyreállíthassa. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Az "Azonnali helyreállításból" kizárhat mappákat és fájltípusokat (vagy fájlkiterjesztéseket). - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. A "Gyors helyreállítás" funkció meghívása után a következő mappákat ellenőrzik a homokozós tartalom szempontjából. - + Advanced Options Fejlett beállítások - + Miscellaneous Egyebek - + Don't alter window class names created by sandboxed programs Ne változtassa meg a homokozós programok által létrehozott ablakosztályok nevét - + Do not start sandboxed services using a system token (recommended) Ne indítsa el a homokozós szolgáltatásokat rendszer-tokennel (ajánlott) - - - - - - - + + + + + + + Protect the sandbox integrity itself A homokozó integritásának védelme - + Drop critical privileges from processes running with a SYSTEM token Hagyja el a SYSTEM tokennel futó folyamatok kritikus jogosultságait - - + + (Security Critical) (Biztonság kritikus) - + Protect sandboxed SYSTEM processes from unprivileged processes Védje meg az izolált SYSTEM folyamatokat a nem privilegizált folyamatoktól - + Force usage of custom dummy Manifest files (legacy behaviour) Egyéni dummy manifest fájlok használatának kikényszerítése (örökölt viselkedés) - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. A szabályspecifikusság annak mértéke, hogy egy adott szabály mennyire illeszkedik egy adott elérési úthoz. Egyszerűen fogalmazva, a specifikáció a karakterek hossza az elérési út elejétől az utolsó egyező nem helyettesítő karakterláncig bezárólag. Egy szabály, amely csak az olyan fájltípusoknak felel meg, mint a "*.tmp" a legmagasabb specifitású lenne, mivel mindig a teljes fájl elérési úttal egyezne. A folyamategyezési szint magasabb prioritású, mint a specifikusság, és leírja, hogy egy szabály hogyan vonatkozik egy adott folyamatra. A folyamatnév vagy csoport alapján érvényesülő szabályoknak van a legerősebb egyezési szintje, ezt követi a tagadással történő egyezés (vagyis az adott folyamaton kívül minden folyamatra érvényes szabályok), míg a legalacsonyabb egyezési szinteken globális egyezések, azaz bármely folyamatra érvényes szabályok. - + Prioritize rules based on their Specificity and Process Match Level A szabályokat sajátosságuk és folyamategyezési szintjük alapján rangsorolja - + Privacy Mode, block file and registry access to all locations except the generic system ones Adatvédelmi mód, blokkolja a fájlokhoz és a rendszerleíró adatbázishoz való hozzáférést az összes helyhez, kivéve az általános rendszerhelyeket - + Access Mode Hozzáférési mód - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Ha az adatvédelmi mód engedélyezve van, a sandbox folyamatok a C:\Windows\*, C:\Program Files\*, és a HKLM registry egyes részeinek csak olvasására lesznek képesek , minden más helynek kifejezett hozzáférésre van szüksége ahhoz, hogy olvasható és/vagy írható legyen. Ebben a módban a Szabályspecifikusság mindig engedélyezve van. - + Rule Policies Írányelv szabály - + Apply File and Key Open directives only to binaries located outside the sandbox. A fájl és kulcs megnyitása direktívákat csak a homokozón kívül található binárisokra alkalmazza. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Izolált RpcSs elindítása mint RENDSZER folyamat (nem ajánlott) - + Allow only privileged processes to access the Service Control Manager Csak a privilegizált folyamatok számára engedélyezze a szolgáltatásvezérlő menedzser (Service Control Manager) elérését - - + + Compatibility Kompatibilitás - + Add sandboxed processes to job objects (recommended) Sandbox-folyamatok hozzáadása munkaobjektumokhoz (ajánlott) - + Emulate sandboxed window station for all processes A homokozós ablakállomás emulálása minden folyamathoz - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Az erősen korlátozott folyamatjogkivonat használatával történő biztonsági elkülönítés a Sandboxie elsődleges eszköze a sandbox korlátozások érvényesítésére. Ha ez ki van kapcsolva, a homokozó alkalmazásrekesz módban működik, vagyis többé nem nyújt megbízható biztonságot, csak egyszerű alkalmazás-területekre bontás. - + Allow sandboxed programs to manage Hardware/Devices Engedélyezze sandboxos programok számára hardver ill. eszközök kezelését @@ -8484,106 +8590,106 @@ A folyamategyezési szint magasabb prioritású, mint a specifikusság, és leí Biztonsági elkülönítés letiltása (kísérleti) - + Open access to Windows Security Account Manager Windows biztonsági fiókkezelő megnyitása - + Open access to Windows Local Security Authority Windows helyi biztonsági házirend (LSA) megnyitása - + Allow to read memory of unsandboxed processes (not recommended) A nem homokozós folyamatok memóriájának olvasásának engedélyezése (nem ajánlott) - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Alapértelmezés szerint tiltsa le az "RpcMgmtSetComTimeout" használatát (ez megoldhatja a kompatibilitási problémákat) - + Security Isolation & Filtering Biztonsági elkülönítés és szűrés - + Disable Security Filtering (not recommended) Biztonsági szűrés letiltása (nem ajánlott) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Biztonsági szűrő, amelyet a Sandboxie használ a fájlrendszerhez és a rendszerleíró adatbázishoz való hozzáférés korlátozására, valamint a folyamatokhoz való hozzáférés korlátozására. - + The below options can be used safely when you don't grant admin rights. Az alábbi lehetőségek biztonságosan használhatók, ha nem ad rendszergazdai jogokat. - + Triggers Indítók - + Event Esemény - - - - + + + + Run Command Parancs futtatása - + Start Service Szolgáltatás indítása - + These events are executed each time a box is started Ezek az események minden alkalommal végrehajtódnak, amikor egy homokozó elindul - + On Box Start Homokozó indításakor - - + + These commands are run UNBOXED just before the box content is deleted Ezek a parancsok NEM IZOLÁLTAN futnak le közvetlenül a homokozó tartalmának törlése előtt - + Allow use of nested job objects (works on Windows 8 and later) Beágyazott munkaobjektumok használatának engedélyezése (Windows 8 és újabb rendszeren működik) - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Ezek a parancsok csak akkor hajtódnak végre, ha egy homokozó inicializálva van. Az újrafuttatáshoz a homokozó tartalmát törölni kell. - + On Box Init Homokozó inicializálásakor - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Here you can specify actions to be executed automatically on various box events. Itt adhatja meg a különféle homokozó eseményeken automatikusan végrehajtandó műveleteket. @@ -8592,74 +8698,74 @@ A folyamategyezési szint magasabb prioritású, mint a specifikusság, és leí Folyamatok elrejtése - + Add Process Folyamat hozzáadása - + Hide host processes from processes running in the sandbox. Gazdafolyamatok elrejtése a homokozóban futó folyamatok elől. - + Restrictions Korlátozások - + Various Options Különféle lehetőségek - + Apply ElevateCreateProcess Workaround (legacy behaviour) Az "ElevateCreateProcess" megoldás alkalmazása (örökölt viselkedés) - + Use desktop object workaround for all processes - + This command will be run before the box content will be deleted Ez a parancs a homokozó tartalmának törlése előtt fut le - + On File Recovery Fájl helyreállításkor - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked Ez a parancs a fájl helyreállítása előtt fut le, és a fájl elérési útja lesz átadva első argumentumként. Ha ez a parancs a 0-tól eltérő értéket ad vissza, a helyreállítás blokkolva lesz - + Run File Checker Fájlellenőrző futtatása - + On Delete Content Tartalom törlésekor - + Don't allow sandboxed processes to see processes running in other boxes Ne engedje, hogy a homokozós folyamatok más homokozóban futó folyamatokat lássák - + Protect processes in this box from being accessed by specified unsandboxed host processes. Védje meg az ebben a mezőben lévő folyamatokat, hogy ne férhessenek hozzá meghatározott homokozó nélküli gazdagépfolyamatokhoz. - - + + Process Folyamat @@ -8668,45 +8774,45 @@ A folyamategyezési szint magasabb prioritású, mint a specifikusság, és leí A folyamatokhoz való olvasási hozzáférés letiltása ebben a sandboxban - + Users Felhasználó - + Restrict Resource Access monitor to administrators only Az erőforrás-hozzáférés figyelőjét csak a rendszergazdákra korlátozhatja - + Add User Felhasználó hozzáadása - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. Adjon hozzá felhasználói fiókokat és felhasználói csoportokat az alábbi listához, hogy a homokozó használatát csak azokra a fiókokra korlátozza. Ha a lista üres, akkor a homokozót minden felhasználói fiók használhatja. - + Add Option Opció hozzáadása - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. Itt konfigurálhat speciális folyamatonkénti beállításokat a kompatibilitás javítása és/vagy a homokozó viselkedésének testreszabása érdekében. - + Option Opció - + Tracing Nyomkövetés @@ -8715,22 +8821,22 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to API-hívás nyomkövetése (a LogAPI-t telepíteni kell az Sbie-könyvtárba) - + Pipe Trace Pipe nyomkövetés - + Log all SetError's to Trace log (creates a lot of output) Minden SetError rögzítése a nyomkövetési naplóban (sok kimeneti adatot generál) - + Log Debug Output to the Trace Log Napló hibakeresési kimenete a nyomkövetési naplóba - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8753,162 +8859,162 @@ A naplózást az ini használatával testreszabhatja, ha megadja: Ntdll rendszerhívások nyomon követése (sok kimenetet hoz létre) - + File Trace Fájl nyomkövetés - + Disable Resource Access Monitor Erőforrás-hozzáférés figyelő letiltása - + IPC Trace IPC nyomok - + GUI Trace GUI nyomkövetés - + Resource Access Monitor Erőforrás-hozzáférés figyelő - + Access Tracing Hozzáférés nyomon követése - + COM Class Trace COM Class nyom - + Key Trace Kulcskövetés - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Az elveszett védelem kompenzálásához tekintse meg a 'Drop Rights' beállítási oldalát a 'Korlátozások beállításai' csoportban. - - + + Network Firewall Hálózati tűzfal - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + API call Trace (traces all SBIE hooks) - + Debug Hibakeresés - + WARNING, these options can disable core security guarantees and break sandbox security!!! FIGYELEM, ezek az opciók letilthatják az alapvető biztonsági garanciákat és megszakíthatják a homokozó biztonságát!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Ezeket az opciókat a kompatibilitási problémák hibakeresésére tervezték. Kérjük, csak tesztelési célra használja. - + App Templates Program sablonok - + Filter Categories Szűrő kategóriák - + Text Filter Szöveg szűrő - + Add Template Sablon hozzáadása - + This list contains a large amount of sandbox compatibility enhancing templates Ez a lista nagy mennyiségű homokozó kompatibilitást javító sablont tartalmaz - + Category Kategória - + Template Folders Sablon mappák - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8917,120 +9023,136 @@ Please note that this values are currently user specific and saved globally for Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak és globálisan vannak mentve az összes homokozóhoz. - - + + Value Érték - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Total Processes Memory Limit: - + Single Process Memory Limit: - + Restart force process before they begin to execute - + On Box Terminate - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + DNS Request Logging - + Syscall Trace (creates a lot of output) - + Templates Sablonok - + Open Template - + Accessibility Hozzáférhetőség - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Képernyőolvasók: JAWS, NVDA, Window-Eyes, System Acces - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. A következő beállítások lehetővé teszik a Sandboxie használatát akadálymentes szoftverrel kombinálva. Felhívjuk figyelmét, hogy a Sandboxie bizonyos mértékű védelme szükségszerűen elvész, amikor ezek a beállítások érvénybe lépnek. - + Edit ini Section Konfiguráció szerkesztése - + Edit ini INI szerkesztése - + Cancel Mégse - + Save Mentés @@ -9046,7 +9168,7 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak ProgramsDelegate - + Group: %1 Csoport: %1 @@ -9054,7 +9176,7 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak QObject - + Drive %1 Lemez %1 @@ -9062,27 +9184,27 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak QPlatformTheme - + OK OK - + Apply Alkalmazás - + Cancel Mégse - + &Yes &Igen - + &No &Nem @@ -9095,7 +9217,7 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak Sandboxie-Plus - helyreállítás - + Close Bezárás @@ -9115,27 +9237,27 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak Tartalom törlése - + Recover Helyreállítás - + Refresh Frissítés - + Delete Törlés - + Show All Files Minden fájl megjelenítése - + TextLabel Szövegcímke @@ -9201,18 +9323,18 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak Általános beállítások - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Fájl helyreállítása ablak megjelenítése homokozók ürítésekor - + Open urls from this ui sandboxed URL-ek megnyitása erről a homokozó-kezelőfelületről - + Systray options Rendszertálca beállítások @@ -9222,22 +9344,22 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak UI nyelvek: - + Shell Integration Shell integráció - + Run Sandboxed - Actions Futtatás homokozóban - műveletek - + Start Sandbox Manager Homokozó kezelő indítása - + Start UI when a sandboxed process is started Felhasználói felület elindítása, amikor egy homokozós folyamat elindul @@ -9246,97 +9368,97 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak Értesítések megjelenítése a vonatkozó naplóüzenetekről - + Start UI with Windows Felhasználói felület elindítása a Windows rendszerrel - + Add 'Run Sandboxed' to the explorer context menu Az "Izolált módú futtatás" parancs hozzáadása a helyi menühöz - + Run box operations asynchronously whenever possible (like content deletion) A homokozó műveletek aszinkron futtatása, amikor csak lehetséges (például a tartalom törlése) - + Hotkey for terminating all boxed processes: Gyorsbillentyű minden homokozós folyamat befejezéséhez: - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - + Show boxes in tray list: Homokozók megjelenítése a tálcalistában: - + Always use DefaultBox Mindig a DefaultBox-ot használja - + Add 'Run Un-Sandboxed' to the context menu "Futtatás homokozón kívül" hozzáadása a helyi menühöz - + Show a tray notification when automatic box operations are started Tálcaértesítés megjelenítése, amikor az automatikus homokozó műveletek elindulnak - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * a részlegesen bejelölt jelölőnégyzet a viselkedést a nézetmódban határozza meg. - + Advanced Config Speciális konfiguráció - + Activate Kernel Mode Object Filtering Kernel módú objektumszűrés engedélyezése - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Homokozó <a href="sbie://docs/filerootpath">fájlrendszer-gyökér</a>: - + Clear password when main window becomes hidden Jelszó törlése, ha a főablak rejtve van - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Homokozó <a href="sbie://docs/ipcrootpath">IPC-gyökér</a>: - + Sandbox default Alapértelmezett homokozó - + Config protection Konfiguráció védelem - + ... ... @@ -9346,408 +9468,408 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak - + Notifications - + Add Entry - + Show file migration progress when copying large files into a sandbox - + Message ID - + Message Text (optional) - + SBIE Messages - + Delete Entry - + Notification Options - + Windows Shell - + Move Up Mozgatás felfelé - + Move Down Mozgatás lefelé - + Show overlay icons for boxes and processes - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list - - + + Interface Options Display Options Interfész beállításai - + Ini Editor Font - + Graphic Options - + Select font - + Reset font - + Ini Options - + # - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + External Ini Editor - + Add-Ons Manager - + Optional Add-Ons - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - + Status Állapot - + Version - + Description - + <a href="sbie://addons">update add-on list now</a> - + Install - + Add-On Configuration - + Enable Ram Disk creation - + kilobytes KB - + Assign drive letter to Ram Disk - + Disk Image Support - + RAM Limit - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Hotkey for bringing sandman to the top: - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Integrate with Host Desktop - + System Tray - + On main window close: - + Open/Close from/to tray with a single click - + Minimize to tray - + Hide SandMan windows from screen capture (UI restart required) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + Sandboxie Support - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) - + Get - + Retrieve/Upgrade/Renew certificate using Serial Number - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. - + SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + Update Settings - + New full installers from the selected release channel. - + Full Upgrades - + Update Check Interval - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Homokozó <a href="sbie://docs/keyrootpath">Registry-gyökér</a>: - + Sandboxing features Homokozó funkciók - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + Sandboxie.ini Presets - + Change Password Jelszó módosítása - + Password must be entered in order to make changes Jelszómódosításhoz meg kell adni a jelszót - + Only Administrator user accounts can make changes Csak a rendszergazda felhasználói fiókok végezhetnek módosításokat - + Watch Sandboxie.ini for changes Sandboxie.ini fájl változásainak figyelése - + USB Drive Sandboxing - + Volume - + Information - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + App Templates Program sablonok - + App Compatibility - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command Csak a rendszergazda felhasználói fiókok használhatják a "Kényszerített programok szüneteltetése" parancsot - + Portable root folder Hordozható gyökés mappa - + Show recoverable files as notifications A helyreállítható fájlok megjelenítése értesítésként @@ -9757,99 +9879,99 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak Általános beállítások - + Show Icon in Systray: Ikon megjelenítése a rendszertálcán: - + Use Windows Filtering Platform to restrict network access Windows szűrő platform használata a hálózati elérés korlátozásához - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Kapcsolja be a kiválasztott Win32k rendszerhívásokat a GPU-gyorsítás engedélyezéséhez (kísérleti) - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Számolja és jelenítse meg az egyes sandboxok által elfoglalt lemezterületet - + Use Compact Box List Kompakt homokozólista használata - + Interface Config Interfész konfigurációja - + Make Box Icons match the Border Color A homokozóikonok megegyeznek a szegély színével - + Use a Page Tree in the Box Options instead of Nested Tabs * Oldalfa használata a homokozó beállításaiban a beágyazott lapok helyett * - + Use large icons in box list * Nagy ikonok használata a homokozólistában * - + High DPI Scaling Magas DPI-skálázás - + Don't show icons in menus * Ne jelenjenek meg ikonok * menükben - + Use Dark Theme Sötét téma használata - + Font Scaling Betűméretezés - + (Restart required) (újraindítás szükséges) - + Show the Recovery Window as Always on Top A helyreállítási ablak megjelenítése mindig felül - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* "Pizza" háttér megjelenítése a homokozólistában* - + % % - + Alternate row background in lists Alternatív sorháttér a listákban - + Use Fusion Theme Fusion téma használata @@ -9858,200 +9980,210 @@ Felhívjuk figyelmét, hogy ezek az értékek jelenleg felhasználóspecifikusak Anonim token helyett Sandboxie bejelentkezés használata (kísérleti) - - - - - + + + + + Name Név - + Path Útvonal - + Remove Program Program eltávolítása - + Add Program Program hozzáadása - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Amikor a következő programok bármelyike elindul bármely homokozón kívül, a Sandboxie kiadja az SBIE1301 üzenetet. - + Add Folder Mappa hozzáadása - + Prevent the listed programs from starting on this system Akadályozza meg, hogy a felsorolt programok elinduljanak ezen a rendszeren - + Issue message 1308 when a program fails to start 1308-as üzenet kiadása, ha a program nem indul el - + Recovery Options Helyreállítási opciók - + Terminate all boxed processes when Sandman exits - + Start Menu Integration Start menü integrációja - + Scan shell folders and offer links in run menu Shellmappák vizsgálata és hivatkozások felajánlása a futtatás menüben - + Integrate with Host Start Menu Integrálása a gazdagép Start menüjével - + Use new config dialog layout * Új konfigurációs párbeszédpanel-elrendezés használata * - + HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + Sandboxie Updater - + Keep add-on list up to date - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. - + Search in the Insider channel - + Check periodically for new Sandboxie-Plus versions - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> - + Keep Troubleshooting scripts up to date - + Use a Sandboxie login instead of an anonymous token - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Always run SandMan UI as Admin - + Program Control Programvezérlés - + Program Alerts Programfigyelmeztetések - + Issue message 1301 when forced processes has been disabled 1301-es üzenetet küld, ha a kényszerített folyamatok le vannak tiltva - + Sandboxie Config Config Protection Sandboxie konfiguráció - + This option also enables asynchronous operation when needed and suspends updates. Ez a beállítás szükség esetén lehetővé teszi az aszinkron működést, és felfüggeszti a frissítéseket. - + Suppress pop-up notifications when in game / presentation mode Az előugró értesítések letiltása játék/prezentáció módban - + User Interface Felhasználói felület - + Run Menu Futtatás menü - + Add program Program hozzáadása - + You can configure custom entries for all sandboxes run menus. Egyéni bejegyzéseket konfigurálhat az összes homokozó futtatás menüjéhez. - - - + + + Remove Eltávolítás - + Command Line Parancssor - + Support && Updates Támogatás és frissítések @@ -10060,7 +10192,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Homokozó konfiguráció - + Default sandbox: Alapértelmezett homokozó: @@ -10069,72 +10201,72 @@ Unlike the preview channel, it does not include untested, potentially breaking, Kompatibilitás - + In the future, don't check software compatibility A jövőben ne ellenőrizze a szoftverek kompatibilitását - + Enable Engedélyezés - + Disable Tiltás - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. A Sandboxie a következő szoftveralkalmazásokat észlelte a rendszerben. A konfigurációs beállítások alkalmazásához kattintson az OK gombra, ami javítja az ezen alkalmazásokkal való kompatibilitást. Ezek a konfigurációs beállítások érvényesek lesznek minden meglévő homokozóban és minden új homokozóban. - + Local Templates - + Add Template Sablon hozzáadása - + Text Filter Szöveg szűrő - + This list contains user created custom templates for sandbox options - + Open Template - + Edit ini Section Ini konfiguráció szerkesztése - + Save Mentés - + Edit ini Ini szerkesztése - + Cancel Mégse - + Incremental Updates Version Updates Verziófrissítések @@ -10144,7 +10276,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Új teljes verziók a kiválasztott kiadási csatornáról. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Gyorsjavítás a telepített verzióhoz, a templates.ini és a fordítások frissítései. @@ -10153,7 +10285,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Ez a tanúsítvány lejárt. Kérjük, <a href="sbie://update/cert">szerezzen egy frissített tanúsítványt</a>. - + The preview channel contains the latest GitHub pre-releases. Az előnézeti csatorna a legújabb GitHub-előzetes kiadásokat tartalmazza. @@ -10162,12 +10294,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Új verziók - + The stable channel contains the latest stable GitHub releases. A stabil csatorna tartalmazza a legújabb stabil GitHub-kiadásokat. - + Search in the Stable channel Keresés a stabil csatornán @@ -10176,7 +10308,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, A Sandboxie naprakészen tartása a Windows gördülő kiadásaival és a minden webböngészőkkel való kompatibilitás véget nem érő törekvés. Kérjük, fontolja meg adományozással a munka támogatását.<br />A fejlesztést támogathatja <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">PayPal donation</a>, hitelkártyával is működik.<br />Vagy folyamatos támogatást is nyújthat <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon subscription</a>. - + Search in the Preview channel Keresés az előnézeti csatornában @@ -10185,12 +10317,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, A Sandboxie-Plus projekt támogatói <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">támogatói tanúsítványt</a> kaphatnak. Ez olyan, mint egy licenckulcs, de a nyílt forráskódú szoftvereket használó fantasztikus emberek számára. :-) - + In the future, don't notify about certificate expiration A jövőben ne értesítsen a tanúsítvány lejártáról - + Enter the support certificate here Itt adja meg a támogatói tanúsítványt @@ -10221,37 +10353,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, Név: - + Description: Leírás: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Pillanatkép tartalom törlésekor a rendszer erre a pillanatképre kerül vissza a semmi helyett. - + Default snapshot Alapértelmezett pillanatkép - + Snapshot Actions Pillanatfelvétel műveletek - + Remove Snapshot Pillanatfelvétel eltávolítása - + Go to Snapshot Ugrás a pillanatfelvételre - + Take Snapshot Pillanatfelvétel készítése diff --git a/SandboxiePlus/SandMan/sandman_it.ts b/SandboxiePlus/SandMan/sandman_it.ts index 3b2f749c..48286caf 100644 --- a/SandboxiePlus/SandMan/sandman_it.ts +++ b/SandboxiePlus/SandMan/sandman_it.ts @@ -9,53 +9,53 @@ - + kilobytes kilobyte - + Protect Box Root from access by unsandboxed processes - - + + TextLabel Etichetta di testo - + Show Password - + Enter Password - + New Password - + Repeat Password - + Disk Image Size - + Encryption Cipher - + Lock the box when all processes stop. @@ -63,53 +63,53 @@ CAddonManager - + Do you want to download and install %1? Si desidera scaricare e installare %1? - + Installing: %1 Installazione: %1 - + Add-on not found, please try updating the add-on list in the global settings! Componente aggiuntivo non trovato, provare ad aggiornare la lista dei componenti aggiuntivi nelle impostazioni globali! - + Add-on Not Found Componente aggiuntivo non trovato - + Add-on is not available for this platform Il componente aggiuntivo non è disponibile per questa piattaforma - + Missing installation instructions Istruzioni di installazione mancanti - + Executing add-on setup failed Esecuzione della configurazione del componente aggiuntivo non riuscita - + Failed to delete a file during add-on removal Impossibile eliminare un file durante la rimozione del componente aggiuntivo - + Updater failed to perform add-on operation Updater failed to perform plugin operation Il programma di aggiornamento non è riuscito a eseguire un'operazione del componente aggiuntivo - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 Il programma di aggiornamento non è riuscito a eseguire un'operazione del componente aggiuntivo, errore: %1 @@ -158,17 +158,17 @@ Impossibile installare il componente aggiuntivo! - + Do you want to remove %1? Vuoi rimuovere %1? - + Removing: %1 Rimozione: %1 - + Add-on not found! Componente aggiuntivo non trovato! @@ -189,12 +189,12 @@ CAdvancedPage - + Advanced Sandbox options Opzioni avanzate dell'area virtuale - + On this page advanced sandbox options can be configured. In questa sezione è possibile configurare le opzioni avanzate per l'area virtuale. @@ -243,34 +243,34 @@ Usa autenticazione di Sandboxie invece di un token anonimo - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Impedisci ai programmi in esecuzione nell'area virtuale (installati sul sistema host) di caricare file DLL - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. Questa funzione può ridurre la compatibilità, in quanto impedisce anche ai processi presenti nell'area virtuale di scrivere su quelli situati nell'host e persino di avviarli. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -278,52 +278,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Disattivata - + Advanced Options Opzioni avanzate - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -441,31 +451,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) kilobyte (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -481,140 +491,140 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox Crea nuova area virtuale - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Un'area virtuale isola il sistema dai processi avviati nell'area virtuale, impedendogli di effettuare modifiche permanenti ad altri programmi e ai dati presenti nel computer. Il livello di isolamento impatta la tua sicurezza tanto quanto la compatibilità con le applicazioni, quindi ci sarà un livello diverso di isolamento in funzione del tipo di area virtuale selezionata. Sandboxie può anche proteggere i dati personali dall'accesso di processi avviati sotto la sua supervisione. - + Enter box name: Immetti il nome dell'area virtuale: - + Select box type: Seleziona tipo di area virtuale: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection Area virtuale ristretta con protezione dati - + Security Hardened Sandbox Area virtuale ristretta - + Sandbox with Data Protection Area virtuale con protezione dati - + Standard Isolation Sandbox (Default) Area virtuale con isolamento standard (Default) - + Application Compartment with Data Protection Compartimento applicazioni con protezione dati - + Application Compartment Box - + Confidential Encrypted Box - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -624,17 +634,17 @@ This ensures the utmost level of privacy and data protection within the confiden Compartimento applicazioni (nessun isolamento) - + Remove after use Rimuovi dopo l'uso - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Una volta terminato l'ultimo processo nell'area virtuale, tutti i dati presenti verranno eliminati e l'area virtuale stessa verrà rimossa. - + Configure advanced options Configura opzioni avanzate @@ -920,37 +930,65 @@ Clicca su Fine per concludere la procedura guidata. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - Normale - - - - Maximum + Zip + Store + + + + + Fastest + + + + + Fast + + + + + Normal + Normale + + + + Maximum + + + + Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + Seleziona directory + + + + This name is already in use, please select an alternative box name + + + CFileBrowserWindow @@ -1000,74 +1038,74 @@ Clicca su Fine per concludere la procedura guidata. CFilesPage - + Sandbox location and behavior Percorso e comportamento dell'area virtuale - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. In questa sezione, il percorso dell'area virtuale e il suo comportamento possono essere personalizzati. È possibile inserire %USER% per memorizzare ogni utente dell'area virtuale su una propria cartella. - + Sandboxed Files File dell'area virtuale - + Select Directory Seleziona directory - + Virtualization scheme Schema di virtualizzazione - + Version 1 Versione 1 - + Version 2 Versione 2 - + Separate user folders Separa cartelle utente - + Use volume serial numbers for drives Utilizzare i numeri di serie dei volumi per le unità - + Auto delete content when last process terminates Elimina automaticamente il contenuto dell'area virtuale una volta terminato l'ultimo processo - + Enable Immediate Recovery of files from recovery locations Attiva recupero immediato dei file dai percorsi di recupero - + The selected box location is not a valid path. La posizione dell'area virtuale selezionata non è un percorso valido. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? La posizione dell'area virtuale selezionata esiste e non è vuota, si consiglia di scegliere una nuova cartella oppure una vuota. Si desidera utilizzare una cartella esistente? - + The selected box location is not placed on a currently available drive. La posizione dell'area virtuale selezionata non si trova su un'unità attualmente disponibile. @@ -1206,83 +1244,83 @@ You can use %USER% to save each users sandbox to an own folder. CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access Accesso di rete - + Allow network/internet access Consenti accesso di rete/Internet - + Block network/internet by denying access to Network devices Blocca rete/Internet negando l'accesso ai dispositivi di rete - + Block network/internet using Windows Filtering Platform Blocca rete/Internet usando la piattaforma di filtraggio di Windows - + Allow access to network files and folders Consenti accesso ai file e alle cartelle di rete - - + + This option is not recommended for Hardened boxes Questa opzione non è raccomandata per le aree virtuali ristrette - + Prompt user whether to allow an exemption from the blockade - + Admin Options Opzioni amministrative - + Drop rights from Administrators and Power Users groups Limita i privilegi dei gruppi Administrators e Power Users - + Make applications think they are running elevated Fai credere alle applicazioni di avviarsi con privilegi elevati - + Allow MSIServer to run with a sandboxed system token Consenti l'avvio di Windows Installer con un token di sistema nell'area virtuale - + Box Options Opzioni area virtuale - + Use a Sandboxie login instead of an anonymous token Usa autenticazione di Sandboxie invece di un token anonimo - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. L'uso di un token di Sandboxie personalizzato consente di isolare meglio le singole aree virtuali e di mostrare nella colonna utente del task manager il nome dell'area virtuale a cui appartiene un processo. Alcune soluzioni di sicurezza di terze parti potrebbero tuttavia avere problemi con i token personalizzati. @@ -1384,23 +1422,24 @@ You can use %USER% to save each users sandbox to an own folder. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. L'area virtuale è stata creata usando il nuovo <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">schema di virtualizzazione versione 2</a>. Se si verificano problemi imprevisti, passare allo schema di virtualizzazione versione 1 e segnalare il problema. L'opzione per modificare questa impostazione si trova su Opzioni area virtuale -> Opzioni File nel gruppo Struttura area virtuale. - + Don't show this message again. Non mostrare più questo messaggio. @@ -1416,38 +1455,38 @@ You can use %USER% to save each users sandbox to an own folder. COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? Si desidera controllare se esiste una nuova versione di Sandboxie Plus? - + Don't show this message again. Non mostrare più questo messaggio. - + Checking for updates... Controllo aggiornamenti in corso... - + server not reachable server non raggiungibile - - + + Failed to check for updates, error: %1 Controllo aggiornamenti fallito, errore: %1 - + <p>Do you want to download the installer?</p> <p>Si desidera scaricare l'installer?</p> - + <p>Do you want to download the updates?</p> <p>Si desidera scaricare gli aggiornamenti?</p> @@ -1456,72 +1495,72 @@ You can use %USER% to save each users sandbox to an own folder. <p>Si desidera aprire la <a href="%1">pagina di aggiornamento</a>?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> - + Don't show this update anymore. Non mostrare più questo aggiornamento. - + Downloading updates... Download in corso degli aggiornamenti... - + invalid parameter parametro non valido - + failed to download updated information impossibile scaricare informazioni aggiornate - + failed to load updated json file impossibile caricare il file json aggiornato - + failed to download a particular file scaricamento file non riuscito - + failed to scan existing installation impossibile eseguire la scansione dell'installazione esistente - + updated signature is invalid !!! la firma aggiornata non è valida !!! - + downloaded file is corrupted il file scaricato è danneggiato - + internal error errore interno - + unknown error errore sconosciuto - + Failed to download updates from server, error %1 Impossibile scaricare aggiornamenti dal server, errore %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Sono stati scaricati alcuni aggiornamenti per Sandboxie Plus</p><p>Si desidera applicarli? Se nell'area virtuale sono in esecuzione altri programmi, questi verranno terminati.</p> @@ -1530,7 +1569,7 @@ You can use %USER% to save each users sandbox to an own folder. Impossibile scaricare il file da: %1 - + Downloading installer... Download in corso dell'installer... @@ -1539,34 +1578,34 @@ You can use %USER% to save each users sandbox to an own folder. Impossibile scaricare l'installer da: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>È stato scaricato un nuovo installer di Sandboxie Plus nel seguente percorso:</p><p><a href="%2">%1</a></p><p>Iniziare l'installazione? Se nell'area virtuale sono in esecuzione altri programmi, questi verranno terminati.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Desideri aprire la <a href="%1">pagina delle informazioni</a>?</p> - + Don't show this announcement in the future. Non mostrare questo avviso in futuro. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>È disponibile una nuova versione di Sandboxie Plus.<br /><font color='red'><b>Nuova versione:</b></font> <b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1590,163 +1629,163 @@ Nota: Il controllo degli aggiornamenti è solitamente indietro rispetto all&apos COptionsWindow - + Sandboxie Plus - '%1' Options Sandboxie Plus - Opzioni '%1' - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Attiva l'uso degli hook Win32 per i processi selezionati. Nota: è necessario prima attivare il supporto degli hook Win32k a livello globale. - + Enable crash dump creation in the sandbox folder Attiva la creazione di crash dump nella cartella Sandbox - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Usa sempre la correzione ElevateCreateProcess, a volte applicato dal servizio risoluzione problemi compatibilità programmi. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Abilitare il comportamento speciale PreferExternalManifest, precedentemente utile per alcuni problemi con Microsoft Edge - + Set RpcMgmtSetComTimeout usage for specific processes Imposta l'uso di RpcMgmtSetComTimeout per processi specifici - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Fa fallire una chiamata di scrittura a un file che non verrà copiato, invece di renderlo di sola lettura. - + Make specified processes think they have admin permissions. Fai credere ai processi selezionati di avere i permessi di amministrazione. - + Force specified processes to wait for a debugger to attach. Forza i processi specificati ad attendere l'aggancio di un debugger. - + Sandbox file system root Percorso file system dell'area virtuale - + Sandbox registry root Percorso del registro dell'area virtuale - + Sandbox ipc root Percorso IPC dell'area virtuale - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: Aggiungi opzione speciale: - - + + On Start All'avvio - - - - - + + + + + Run Command Avvia comando - + Start Service Avvia servizio - + On Init All'inizializzazione - + On File Recovery Al recupero dei file - + On Delete Content Alla rimozione del contenuto - + On Terminate - - - - - + + + + + Please enter the command line to be executed Immettere la riga di comando da eseguire - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Deny Nega - + %1 (%2) %1 (%2) - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1830,127 +1869,127 @@ Nota: Il controllo degli aggiornamenti è solitamente indietro rispetto all&apos Compartimento applicazioni - + Custom icon Icona personalizzata - + Version 1 Versione 1 - + Version 2 Versione 2 - + Browse for Program Sfoglia programma - + Open Box Options Mostra Opzioni area virtuale - + Browse Content Sfoglia contenuto - + Start File Recovery Esegui recupero file - + Show Run Dialog Mostra finestra di avvio programma - + Indeterminate Non definito - + Backup Image Header - + Restore Image Header - + Change Password Modifica password - - + + Always copy Copia sempre - - + + Don't copy Non copiare - - + + Copy empty Copia vuota - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored - - + + Browse for File Cerca file @@ -1961,98 +2000,98 @@ Nota: Il controllo degli aggiornamenti è solitamente indietro rispetto all&apos Cerca cartella - + File Options Opzioni file - + Grouping Raggruppamento - + Add %1 Template Aggiungi modello %1 - + Search for options Cerca opzioni - + Box: %1 Area virtuale: %1 - + Template: %1 Modello: %1 - + Global: %1 Globale: %1 - + Default: %1 Default: %1 - + This sandbox has been deleted hence configuration can not be saved. Questa area virtuale è stata cancellata, quindi la configurazione non può essere salvata. - + Some changes haven't been saved yet, do you really want to close this options window? Alcune modifiche non sono state ancora salvate, vuoi chiudere la finestra opzioni? - + kilobytes (%1) kilobyte (%1) - + Select color Scegli un colore - + Select Program Seleziona programma - + Please enter a service identifier Inserire un identificativo di servizio - + Executables (*.exe *.cmd) File eseguibili (*.exe *.cmd) - - + + Please enter a menu title Immetti il nome da assegnare al menu - + Please enter a command Immetti un comando - - + + - - + + @@ -2065,7 +2104,7 @@ Nota: Il controllo degli aggiornamenti è solitamente indietro rispetto all&apos Immetti un nome per il nuovo gruppo - + Enter program: Scegli il programma: @@ -2075,46 +2114,72 @@ Nota: Il controllo degli aggiornamenti è solitamente indietro rispetto all&apos Seleziona un gruppo prima di procedere. - - + + Process Processo - - + + Folder Cartella - + Children - - - + + Document + + + + + + Select Executable File Seleziona file eseguibile - - - + + + Executable Files (*.exe) File eseguibili (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? - - + + Select Directory @@ -2253,13 +2318,13 @@ Nota: Il controllo degli aggiornamenti è solitamente indietro rispetto all&apos Tutti i file (*.*) - + - - - - + + + + @@ -2295,8 +2360,8 @@ Nota: Il controllo degli aggiornamenti è solitamente indietro rispetto all&apos - - + + @@ -2473,7 +2538,7 @@ Please select a folder which contains this file. - + Allow @@ -2546,12 +2611,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss Ignora - + Remove this progress indicator from the list Rimuovi questo indicatore di avanzamento dalla lista @@ -2559,42 +2624,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process Ricorda per questo processo - + Yes - + No No - + Terminate Termina - + Yes and add to allowed programs Sì e aggiungi ai programmi consentiti - + Requesting process terminated Processo richiedente terminato - + Request will time out in %1 sec La richiesta scadrà tra %1 secondi - + Request timed out Richiesta scaduta @@ -2602,67 +2667,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: Recupera in: - + Browse Sfoglia - + Clear folder list Pulisci lista cartelle - + Recover Recupera - + Recover the file to original location Recupera il file nello stesso percorso - + Recover && Explore Recupera && Esplora - + Recover && Open/Run Recupera && Apri - + Open file recovery for this box Apri il recupero file per quest'area virtuale - + Dismiss Ignora - + Don't recover this file right now Non recuperare questo file adesso - + Dismiss all from this box Ignora tutto da quest'area virtuale - + Disable quick recovery until the box restarts Disattiva recupero veloce fino al riavvio dell'area virtuale - + Select Directory Seleziona directory @@ -2801,37 +2866,42 @@ Percorso completo: %4 - + Select Directory Seleziona directory - + + No Files selected! + + + + Do you really want to delete %1 selected files? Eliminare i file selezionati (%1)? - + Close until all programs stop in this box Non mostrare di nuovo fino all'arresto di tutti i programmi - + Close and Disable Immediate Recovery for this box Chiudi e disattiva il recupero immediato per quest'area virtuale - + There are %1 new files available to recover. Ci sono %1 nuovi file disponibili per il recupero. - + Recovering File(s)... Recupero file... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Ci sono %1 file e %2 cartelle nell'area virtuale, che occupano %3 di spazio su disco. @@ -2991,22 +3061,22 @@ A differenza del canale di anteprima, non contiene modifiche non testate, potenz CSandBox - + Waiting for folder: %1 In attesa della cartella: %1 - + Deleting folder: %1 Eliminazione della cartella: %1 - + Merging folders: %1 &gt;&gt; %2 Unione cartelle: %1 >> %2 - + Finishing Snapshot Merge... Completamento unione istantanea... @@ -3014,37 +3084,37 @@ A differenza del canale di anteprima, non contiene modifiche non testate, potenz CSandBoxPlus - + Disabled Disattivata - + OPEN Root Access Accesso root APERTO - + Application Compartment Compartimento applicazioni - + NOT SECURE NON SICURA - + Reduced Isolation Isolamento ridotto - + Enhanced Isolation Isolamento avanzato - + Privacy Enhanced Privacy avanzata @@ -3053,32 +3123,32 @@ A differenza del canale di anteprima, non contiene modifiche non testate, potenz API Log - + No INet (with Exceptions) No Internet (con eccezioni) - + No INet No Internet - + Net Share Condivisione di rete - + No Admin No Admin - + Auto Delete Autoelimina contenuto - + Normal Normale @@ -3102,22 +3172,22 @@ A differenza del canale di anteprima, non contiene modifiche non testate, potenz <a href="sbie://update/apply" style="color: red;">Un nuovo aggiornamento %1 di Sandboxie Plus è pronto da installare</a> - + Reset Columns Reimposta colonne - + Copy Cell Copia cella - + Copy Row Copia riga - + Copy Panel Copia riquadro @@ -3403,7 +3473,7 @@ A differenza del canale di anteprima, non contiene modifiche non testate, potenz - + About Sandboxie-Plus Informazioni su Sandboxie Plus @@ -3614,9 +3684,9 @@ Effettuare la pulizia? - - - + + + Don't show this message again. Non mostrare più questo messaggio. @@ -3651,19 +3721,19 @@ Effettuare la pulizia? Configurazione corrente: %1 - - - + + + Sandboxie-Plus - Error Sandboxie Plus - Errore - + Failed to stop all Sandboxie components Impossibile fermare tutti i componenti di Sandboxie - + Failed to start required Sandboxie components Impossibile avviare i componenti di Sandboxie richiesti @@ -3716,20 +3786,20 @@ Effettuare la pulizia? Si desidera saltare la configurazione guidata? - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Il programma %1 avviato nell'area virtuale %2 verrà terminato tra 5 minuti poichè l'area virtuale utilizza funzioni disponibili esclusivamente ai sostenitori del progetto. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. L'area virtuale %1 utilizza funzioni disponibili esclusivamente ai sostenitori del progetto, pertanto le seguenti impostazioni verranno ignorate. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Diventa un sostenitore di Sandboxie Plus</a> per ricevere un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificato di supporto</a> @@ -3795,128 +3865,128 @@ Please check if there is an update for sandboxie. - + Failed to configure hotkey %1, error: %2 - + The box %1 is configured to use features exclusively available to project supporters. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The selected feature requires an <b>advanced</b> supporter certificate. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! La firma del certificato non è valida! - + The Certificate is not suitable for this product. Il certificato non è adatto a questo prodotto. - + The Certificate is node locked. node-locked = hardware-locked Il certificato è associato a un altro dispositivo. - + The support certificate is not valid. Error: %1 Il certificato di supporto non è valido. Errore: %1 - + The evaluation period has expired!!! Il periodo di valutazione è scaduto! - - + + Don't ask in future Non chiedere in futuro - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - + Please enter the duration, in seconds, for disabling Forced Programs rules. Qui ho forzato di proposito un ritorno a capo per ragioni di lunghezza Immettere l'intervallo in secondi per la disattivazione<br />delle regole dei programmi ad avvio forzato. - + Error Status: 0x%1 (%2) Stato di errore: 0x%1 (%2) - + Unknown Sconosciuto - + Failed to copy box data files Impossibile copiare i dati dell'area virtuale - + Failed to remove old box data files Impossibile rimuovere i dati obsoleti dell'area virtuale - + Unknown Error Status: 0x%1 Stato di errore sconosciuto: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - + Sandboxed - + Unsandboxed @@ -4064,9 +4134,9 @@ Scegliere No per selezionare: %2 - NON connesso - - + + (%1) (%1) @@ -4079,7 +4149,7 @@ Scegliere No per selezionare: %2 %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Qui ho forzato di proposito un ritorno a capo per ragioni di lunghezza La funzionalità selezionata è disponibile solo ai sostenitori del progetto.<br />I processi avviati nell'area virtuale con questa funzione senza un valido certificato di supporto verranno terminati dopo 5 minuti.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Diventa un sostenitore di Sandboxie Plus</a>, e ricevi un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificato di supporto</a> @@ -4137,17 +4207,17 @@ Scegliere No per selezionare: %2 - + Only Administrators can change the config. Solo gli amministratori possono cambiare la configurazione. - + Please enter the configuration password. Immettere la password di configurazione. - + Login Failed: %1 Login non riuscito: %1 @@ -4168,7 +4238,7 @@ Scegliere No per selezionare: %2 Importazione: %1 - + Do you want to terminate all processes in all sandboxes? Chiudere tutti i processi in tutte le aree virtuali? @@ -4177,301 +4247,301 @@ Scegliere No per selezionare: %2 Terminali tutti senza chiedere - + No Recovery Sospensione recupero file in corso - + No Messages Sospensione messaggi popup in corso - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie Plus è stato avviato in modalità portatile e deve creare i servizi necessari. Questa operazione richiederà privilegi amministrativi. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. ATTENZIONE: Un altro processo (probabilmente SbieCtrl.exe) sta attualmente gestendo questa sessione Sandboxie, si prega di chiuderla e di riconnettersi. - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>ERRORE:</b> Sandboxie Plus Manager (SandMan.exe) non ha una firma digitale valida (SandMan.exe.sig). Si prega di scaricare una versione attendibile dalla <a href="https://sandboxie-plus.com/go.php?to=sbie-get">pagina ufficiale di download</a>. - + Maintenance operation failed (%1) Operazione di manutenzione non riuscita (%1) - + Maintenance operation completed Operazione di manutenzione completata - + Executing maintenance operation, please wait... Operazione di manutenzione in esecuzione, attendere... - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Nell'interfaccia utente Plus, questa funzionalità è stata integrata nell'elenco principale delle aree virtuali. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Utilizzando il menu contestuale dell'area virtuale/gruppo, è possibile spostare aree virtuali e gruppi in altri gruppi. È inoltre prevista la possibilità di utilizzare il trascinamento per spostare gli elementi. In alternativa, è possibile utilizzare i tasti freccia tenendo premuto ALT per spostare gli elementi in alto e in basso all'interno del gruppo.<br />È possibile creare nuove aree virtuali e gruppi dal menu Area virtuale. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Vuoi reimpostare i messaggi nascosti (sì), o soltanto i log dei messaggi (no)? - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. Si sta per modificare il file Templates.ini, operazione generalmente sconsigliata. Questo file fa parte di Sandboxie e tutte le modifiche apportate ad esso saranno annullate al prossimo aggiornamento di Sandboxie. - + The changes will be applied automatically whenever the file gets saved. Le modifiche verranno applicate automaticamente ogni volta che il file viene salvato. - + The changes will be applied automatically as soon as the editor is closed. Le modifiche verranno applicate automaticamente non appena l'editor viene chiuso. - + Sandboxie config has been reloaded La configurazione di Sandboxie è stata aggiornata - + Administrator rights are required for this operation. Questa operazione richiede privilegi amministrativi. - + Failed to execute: %1 Impossibile eseguire: %1 - + Failed to connect to the driver Impossibile collegarsi al driver - + Failed to communicate with Sandboxie Service: %1 Impossibile comunicare con Sandboxie Service: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 La versione di Sandboxie %1 risulta incompatibile. Versioni compatibili: %2 - + Can't find Sandboxie installation path. Impossibile trovare il percorso di installazione di Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Impossibile copiare la configurazione dall'area virtuale %1: %2 - + A sandbox of the name %1 already exists Un'area virtuale %1 è già presente - + Failed to delete sandbox %1: %2 Impossibile cancellare area virtuale %1: %2 - + The sandbox name can not be longer than 32 characters. Il nome dell'area virtuale non può superare i 32 caratteri. - + The sandbox name can not be a device name. Il nome dell'area virtuale non può essere quello di un dispositivo. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Il nome dell'area virtuale può contenere solo lettere, cifre e trattini bassi che vengono visualizzati come spazi. - + Failed to terminate all processes Impossibile terminare tutti i processi - + Delete protection is enabled for the sandbox Blocco di eliminazione attivo per quest'area virtuale - + All sandbox processes must be stopped before the box content can be deleted Tutti i processi dell'area virtuale devono essere interrotti prima che il contenuto possa essere eliminato - + Error deleting sandbox folder: %1 Errore durante l'eliminazione della cartella: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. Tutti i processi dell'area virtuale devono essere interrotti prima che possa essere rinominata. - + A sandbox must be emptied before it can be deleted. Occorre svuotare il contenuto dell'area virtuale prima di poterla rimuovere. - + Failed to move directory '%1' to '%2' Impossibile spostare directory '%1' in '%2' - + Failed to move box image '%1' to '%2' Impossibile spostare l'immagine dell'area virtuale '%1' in '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Questa istantanea non può essere eseguita mentre i processi sono ancora in esecuzione nell'area virtuale. - + Failed to create directory for new snapshot Impossibile creare directory su nuova istantanea - + Snapshot not found Istantanea non trovata - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Errore durante l'unione delle directory '%1' con '%2': unione delle istantanee non riuscita. - + Failed to remove old snapshot directory '%1' Impossibile rimuovere directory di istantanea '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Impossibile rimuovere un'istantanea condivisa da istantanee successive - + You are not authorized to update configuration in section '%1' Non sei autorizzato ad aggiornare la configurazione nel punto '%1' - + Failed to set configuration setting %1 in section %2: %3 Salvataggio dell'impostazione di configurazione %1 fallito nel punto %2: %3 - + Can not create snapshot of an empty sandbox Impossibile creare istantanea di un'area virtuale vuota - + A sandbox with that name already exists Un'area virtuale con quel nome è già presente - + The config password must not be longer than 64 characters La password non può superare i 64 caratteri - + The operation was canceled by the user Operazione annullata dall'utente - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted Il contenuto di un'area virtuale non montata non può essere eliminato - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded Importazione/esportazione non disponibile, 7z.dll non può essere caricato - + Failed to create the box archive Impossibile creare l'archivio dell'area virtuale - + Failed to open the 7z archive Impossibile aprire l'archivio 7z - + Failed to unpack the box archive Impossibile estrarre l'archivio dell'area virtuale - + The selected 7z file is NOT a box archive Il file 7z selezionato NON è un archivio relativo a un'area virtuale - + Operation failed for %1 item(s). Operazione fallita per %1 elemento(i). - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> @@ -4480,37 +4550,37 @@ Questo file fa parte di Sandboxie e tutte le modifiche apportate ad esso saranno Aprire %1 nel browser dell'area virtuale (sì) o all'esterno (no)? - + Remember choice for later. Ricorda la scelta per dopo. - + Case Sensitive &Maiuscole/minuscole - + RegExp Espressione regolare - + Highlight Evidenzia - + Close Chiudi - + &Find ... &Trova ... - + All columns Tutte le colonne @@ -4527,22 +4597,22 @@ Questo file fa parte di Sandboxie e tutte le modifiche apportate ad esso saranno Sandboxie Plus è la continuazione open source di Sandboxie.<br />Visita <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> per informazioni.<br /><br />%3<br /><br />Versione driver: %1<br />Funzioni attive: %2<br /><br />Icone by <a href="https://icons8.com">icons8.com</a><br /><br />Traduzione italiana a cura di <a href="https://eng2ita.altervista.org">Eng2ita</a><br /> - + The supporter certificate is not valid for this build, please get an updated certificate Il certificato non è valido per questa build, si prega di ottenere un certificato aggiornato - + The supporter certificate has expired%1, please get an updated certificate Il certificato è scaduto%1, si prega di ottenere un certificato aggiornato - + , but it remains valid for the current build , ma resta valido per la build corrente - + The supporter certificate will expire in %1 days, please get an updated certificate Il certificato scadrà fra %1 giorni, si prega di ottenere un certificato aggiornato @@ -4820,38 +4890,38 @@ Questo file fa parte di Sandboxie e tutte le modifiche apportate ad esso saranno CSbieTemplatesEx - + Failed to initialize COM Impossibile inizializzare il componente COM - + Failed to create update session Impossibile creare una sessione di aggiornamento - + Failed to create update searcher Impossibile creare l'interfaccia di ricerca - + Failed to set search options Impossibile impostare le opzioni di ricerca - + Failed to enumerate installed Windows updates Failed to search for updates Ricerca aggiornamenti fallita - + Failed to retrieve update list from search result Impossibile scaricare la lista di aggiornamenti dal risultato di ricerca - + Failed to get update count Impossibile ottenere il numero di aggiornamenti @@ -4859,235 +4929,235 @@ Questo file fa parte di Sandboxie e tutte le modifiche apportate ad esso saranno CSbieView - - + + Create New Box Crea nuova area virtuale - + Remove Group Rimuovi gruppo - - + + Run Avvia - + Run Program Avvia programma - + Run from Start Menu Avvia dal menu Start - + Default Web Browser Browser Web predefinito - + Default eMail Client Programma di posta predefinito - + Windows Explorer Esplora risorse - + Registry Editor Editor del Registro di sistema - + Programs and Features Programmi e funzionalità - + Terminate All Programs Chiudi tutti i programmi - - - - - + + + + + Create Shortcut Crea collegamento - - + + Explore Content Esplora contenuto - - + + Refresh Info Aggiorna informazioni - - + + Snapshots Manager Gestione istantanee - + Recover Files Recupero file - - + + Delete Content Elimina contenuto - + Sandbox Presets Opzioni rapide - + Ask for UAC Elevation Richiedi elevazione UAC - + Drop Admin Rights Limita privilegi amministrativi - + Emulate Admin Rights Emula privilegi amministrativi - + Block Internet Access Blocca accesso a Internet - + Allow Network Shares Consenti condivisione di rete - + Sandbox Options Opzioni area virtuale - - + + (Host) Start Menu Menu Start (Host) - + Browse Files Esplora file - + Immediate Recovery Recupero immediato - + Disable Force Rules Disattiva regole di forzatura - - + + Sandbox Tools Strumenti area virtuale - + Duplicate Box Config Duplica configurazione area virtuale - + Export Box Esporta area virtuale - - + + Rename Sandbox Rinomina area virtuale - - + + Move Sandbox Sposta area virtuale - - + + Remove Sandbox Elimina area virtuale - - + + Terminate Termina - + Preset Impostazioni - - + + Pin to Run Menu Aggiungi al menu Avvia - - + + Import Box Importa area virtuale - + Block and Terminate Blocca e termina - + Allow internet access Consenti accesso a Internet - + Force into this sandbox Forza avvio su quest'area virtuale - + Set Linger Process Imposta come processo secondario - + Set Leader Process Imposta come processo principale @@ -5096,393 +5166,386 @@ Questo file fa parte di Sandboxie e tutte le modifiche apportate ad esso saranno Avvia nell'area virtuale - + Run Web Browser Avvia il browser Web - + Run eMail Reader Avvia il programma di posta elettronica - + Run Any Program Avvia un programma - + Run From Start Menu Avvia dal menu Start - + Run Windows Explorer Avvia Esplora risorse - + Terminate Programs Chiudi tutti i programmi - + Quick Recover Recupero veloce - + Sandbox Settings Impostazioni dell'area virtuale - + Duplicate Sandbox Config Duplica configurazione area virtuale - + Export Sandbox Esporta area virtuale - + Move Group Sposta gruppo - + File root: %1 Percorso dei file: %1 - + Registry root: %1 Percorso del registro: %1 - + IPC root: %1 Percorso IPC: %1 - + Options: Opzioni: - + [None] [Nessuno] - This name is already in use, please select an alternative box name - Questo nome è già in uso, selezionare un nome alternativo per l'area virtuale + Questo nome è già in uso, selezionare un nome alternativo per l'area virtuale - + Importing: %1 Importazione: %1 - + Please enter a new group name Immetti un nome per il nuovo gruppo - + Do you really want to remove the selected group(s)? Eliminare il gruppo o i gruppi selezionati? - - + + Create Box Group Aggiungi gruppo - + Rename Group Rinomina gruppo - - + + Stop Operations Ferma operazioni - + Command Prompt Prompt dei comandi - + Command Prompt (as Admin) Prompt dei comandi (amministratore) - + Command Prompt (32-bit) Prompt dei comandi (32-bit) - + Execute Autorun Entries https://github.com/sandboxie-plus/Sandboxie/blob/e68e650ecb1c9d0794c524d2b2080c735557fd9e/Sandboxie/apps/start/start.cpp#L1521-L1548 Esegui voci di Esecuzione Automatica - + Browse Content Sfoglia contenuto - + Box Content Contenuto area virtuale - + Standard Applications Applicazioni standard - + Open Registry Editor del Registro di sistema - - + + Mount Box Image - - + + Unmount Box Image - - + + Move Up Sposta in alto - - + + Move Down Sposta in basso - + Suspend Sospendi - + Resume Riprendi - + Disk root: %1 - + Please enter a new name for the Group. Immetti un nuovo nome per il gruppo. - + Move entries by (negative values move up, positive values move down): Ordina le voci per (i valori negativi spostano verso l'alto, quelli positivi verso il basso): - + A group can not be its own parent. Un gruppo non può essere il proprio genitore. - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + The Sandbox name and Box Group name cannot use the ',()' symbol. Il nome dell'area virtuale o del gruppo non può contenere i caratteri ',()'. - + This name is already used for a Box Group. Questo nome è già stato utilizzato per un gruppo. - + This name is already used for a Sandbox. Questo nome è già stato utilizzato per un'area virtuale. - - - + + + Don't show this message again. Non mostrare più questo messaggio. - - - + + + This Sandbox is empty. L'area virtuale è vuota. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. ATTENZIONE: L'Editor del Registro di sistema verrà aperto fuori dall'area virtuale, si prega di effettuare modifiche solo nei percorsi delle aree virtuali. - + Don't show this warning in future Non mostrare questo avviso in futuro - + Please enter a new name for the duplicated Sandbox. Immetti un nuovo nome per l'area virtuale duplicata. - + %1 Copy %1 Copia - - + + Select file name Seleziona nome del file - - 7-zip Archive (*.7z) - Archivio 7-zip (*.7z) + Archivio 7-zip (*.7z) - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + + Exporting: %1 Esportazione: %1 - + Please enter a new name for the Sandbox. Immetti un nuovo nome per l'area virtuale. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Eliminare l'area virtuale o le aree virtuali selezionate?<br /><br />Attenzione: Il contenuto verrà anch'esso eliminato! - + This Sandbox is already empty. L'area virtuale è già vuota. - - + + Do you want to delete the content of the selected sandbox? Eliminare il contenuto dell'area virtuale selezionata? - - + + Also delete all Snapshots Elimina anche tutte le istantanee - + Do you really want to delete the content of all selected sandboxes? Eliminare il contenuto delle aree virtuali selezionate? - + Do you want to terminate all processes in the selected sandbox(es)? Chiudere tutti i processi? - - + + Terminate without asking Termina senza chiedere - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Ora verrà visualizzato il menu Start di Sandboxie. Selezionare un programma dal menu per creare un collegamento sul desktop reale che consenta l'avvio di tale programma sotto la supervisione di Sandboxie. - - + + Create Shortcut to sandbox %1 Crea collegamento all'area virtuale %1 - + Do you want to terminate %1? Si desidera terminare %1? - + the selected processes i processi selezionati - + This box does not have Internet restrictions in place, do you want to enable them? Quest'area virtuale non dispone di restrizioni a Internet, vuoi attivarle? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Quest'area virtuale è disattivata, vuoi attivarla? @@ -5527,292 +5590,292 @@ Questo file fa parte di Sandboxie e tutte le modifiche apportate ad esso saranno CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Impostazioni globali - + Auto Detection Rilevamento automatico - + No Translation Nessuna traduzione - - + + Don't integrate links Non integrare i collegamenti - - + + As sub group Come sottogruppo - - + + Fully integrate Integrazione completa - + Don't show any icon Disattiva icona - + Show Plus icon Mostra icona Plus - + Show Classic icon Mostra icona Classic - + All Boxes Tutte le aree virtuali - + Active + Pinned Aree virtuali attive + quelle in rilievo - + Pinned Only Solo le aree virtuali in rilievo - + Close to Tray - + Prompt before Close - + Close Chiudi - + None Nessuno - + Native Nativo - + Qt Qt - + Every Day Ogni giorno - + Every Week Ogni settimana - + Every 2 Weeks Ogni 2 settimane - + Every 30 days Ogni 30 giorni - + Ignore Ignora - + %1 %1 - + HwId: %1 - + Search for settings Cerca impostazioni - - - + + + Run &Sandboxed Voce relativa al menu contestuale dei file Avvia nell'&area virtuale - + kilobytes (%1) kilobyte (%1) - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Questo certificato è scaduto, si prega di <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">ottenere un certificato aggiornato</a>. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. Forse migliorabile <br /><font color='red'>Per la build corrente, le funzioni Plus rimangono attive</font>, ma non si ha più accesso ai servizi di Sandboxie Live, inclusi gli aggiornamenti di compatibilità e il database di risoluzione problemi. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Questo certificato <font color='red'>scadrà fra %1 giorni</font>, si prega di <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">ottenere un certificato aggiornato</a>. - + Expires in: %1 days Expires: %1 Days ago - + Expired: %1 days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Disattivata - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... Recupero del certificato in corso... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + The evaluation certificate has been successfully applied. Enjoy your free trial! @@ -5822,49 +5885,49 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Recupero del certificato in corso... - + Contributor La traduzione dei tipi di certificati può generare confusione. Contributor - + Eternal La traduzione dei tipi di certificati può generare confusione. Eternal - + Business La traduzione dei tipi di certificati può generare confusione. Business - + Personal La traduzione dei tipi di certificati può generare confusione. Personal - + Great Patreon La traduzione dei tipi di certificati può generare confusione. Great Patreon - + Patreon La traduzione dei tipi di certificati può generare confusione. Patreon - + Family La traduzione dei tipi di certificati può generare confusione. Family - + Home @@ -5874,13 +5937,13 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Subscription - + Evaluation Penso sia meglio sottolineare che si tratta di una versione di prova Valutazione (prova) - + Type %1 Tipo %1 @@ -5889,122 +5952,122 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Standard - + Advanced Avanzato - + Advanced (L) - + Max Level Livello massimo - + Level %1 Livello %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Sfortunatamente questo certificato non è valido per questa build, è necessario ottenere un nuovo certificato o tornare ad una build precedente. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Benché questo certificato sia scaduto, le funzionalità Plus rimangono attive per la versione attualmente installata. Tuttavia, non si avrà più accesso ai servizi di Sandboxie Live, inclusi gli aggiornamenti di compatibilità e il database di risoluzione problemi. - + This certificate has unfortunately expired, you need to get a new certificate. Sfortunatamente questo certificato è scaduto, è necessario ottenere un nuovo certificato. - + Sandboxed Web Browser Browser Web nell'area virtuale - - + + Notify Notifica - - + + Download & Notify Scarica e notifica - - + + Download & Install Scarica e installa - + Browse for Program Sfoglia programma - + Add %1 Template Aggiungi modello %1 - + Select font Seleziona font - + Reset font Reimposta font - + %0, %1 pt %0, %1 pt - + Please enter message Inserire il messaggio SBIE - + Select Program Seleziona programma - + Executables (*.exe *.cmd) File eseguibili (*.exe *.cmd) - - + + Please enter a menu title Immetti il nome da assegnare al menu - + Please enter a command Immetti un comando @@ -6013,7 +6076,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Questo certificato è scaduto, si prega di <a href="sbie://update/cert">ottenere un certificato aggiornato</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Le funzioni Plus saranno disattivate tra %1 giorni.</font> @@ -6022,7 +6085,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.<br /><font color='red'>Per questa build, le funzioni Plus resteranno attive.</font> - + <br />Plus features are no longer enabled. <br />Le funzioni Plus non sono più attive. @@ -6035,23 +6098,23 @@ You can request up to %3 evaluation certificates for each unique hardware ID.È necessario un certificato di supporto - + Run &Un-Sandboxed Voce relativa al menu contestuale dei file all'interno della sandbox Avvia all'&esterno dell'area virtuale - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Si prega di inserire l'intero certificato, non solo una parte di esso. @@ -6064,7 +6127,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Questo certificato è obsoleto. - + Thank you for supporting the development of Sandboxie-Plus. Grazie per aver sostenuto lo sviluppo di Sandboxie Plus. @@ -6073,89 +6136,89 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Certificato di supporto non valido. - + Update Available Aggiornamento disponibile - + Installed Installato - + by %1 Si tratta di un tooltip, perciò non ci sono problemi di lunghezza componente sviluppato da %1 - + (info website) (info sito web) - + This Add-on is mandatory and can not be removed. Questo componente aggiuntivo è necessario e non può essere rimosso. - - + + Select Directory Seleziona directory - + <a href="check">Check Now</a> <a href="check">Controlla ora</a> - + Please enter the new configuration password. Immettere la nuova password di configurazione. - + Please re-enter the new configuration password. Reimmettere la nuova password di configurazione. - + Passwords did not match, please retry. Le password non corrispondono, si prega di riprovare. - + Process Processo - + Folder Cartella - + Please enter a program file name Immettere il nome del programma (es. nomefile.exe) - + Please enter the template identifier Inserire l'identificativo del modello - + Error: %1 Errore: %1 - + Do you really want to delete the selected local template(s)? Eliminare i modelli locali selezionati? - + %1 (Current) %1 (Attuale) @@ -6398,70 +6461,70 @@ Provare ad inviare senza allegare il log. CSummaryPage - + Create the new Sandbox Crea nuova area virtuale - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Hai quasi finito, fare clic su Fine per creare una nuova area virtuale e concludere la procedura guidata. - + Save options as new defaults Salva le opzioni come default - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) Non mostrare la pagina di riepilogo in futuro (a meno che non siano state definite opzioni avanzate) - + This Sandbox will be saved to: %1 Questa area virtuale verrà salvata in: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. Il contenuto di questa area virtuale verrà SCARTATO alla chiusura e l'area virtuale sarà rimossa. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Quest'area virtuale SCARTERÀ il suo contenuto non appena viene chiusa, è adatta solo per dati temporanei. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. I processi in questa area virtuale non potranno accedere a Internet o alla rete locale, in modo da garantire la riservatezza di tutti i dati consultati. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. Quest'area virtuale eseguirà Windows Installer (servizio di installazione *.msi) con un token di sistema, questo migliora la compatibilità ma riduce l'isolamento di sicurezza. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. I processi in questa area virtuale penseranno di essere eseguiti con privilegi amministrativi, senza averli realmente, quindi gli installer possono essere usati anche in un'area virtuale ristretta. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6470,7 +6533,7 @@ Processes in this box will be running with a custom process token indicating the I processi in questa area virtuale verranno eseguiti con un token di processo personalizzato che indica l&apos;area virtuale a cui appartengono. - + Failed to create new box: %1 Impossibile creare la nuova area virtuale: %1 @@ -7131,33 +7194,68 @@ Se si è già un Great Supporter su Patreon, Sandboxie può verificare la presen - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption @@ -7202,12 +7300,12 @@ Se si è già un Great Supporter su Patreon, Sandboxie può verificare la presen Opzioni area virtuale - + Appearance Aspetto - + px Width px di larghezza @@ -7217,715 +7315,716 @@ Se si è già un Great Supporter su Patreon, Sandboxie può verificare la presen Simbolo area virtuale nel titolo: - + Sandboxed window border: Bordo finestra: - - - - - - + + + + + + + Protect the system from sandboxed processes Proteggi il sistema dai processi avviati nell'area virtuale - + Elevation restrictions Restrizioni di elevazione - + Block network files and folders, unless specifically opened. Blocca i file e le cartelle di rete, a meno che non siano aperti individualmente. - + Make applications think they are running elevated (allows to run installers safely) Fai credere alle applicazioni di avviarsi con privilegi elevati (esegue gli installer in modo sicuro) - + Network restrictions Restrizioni di rete - + Drop rights from Administrators and Power Users groups Limita i privilegi dei gruppi Administrators e Power Users - + (Recommended) (Raccomandato) - + File Options Opzioni file - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Elimina automaticamente il contenuto dell'area virtuale una volta terminato l'ultimo processo - + Copy file size limit: Limite massimo della dimensione dei file: - + Box Delete options Eliminazione dell'area virtuale - + Protect this sandbox from deletion or emptying Proteggi l'area virtuale dall'eliminazione - - + + File Migration Copia dei file - + Allow elevated sandboxed applications to read the harddrive Consenti alle applicazioni elevate nell'area virtuale di leggere il disco fisso - + Warn when an application opens a harddrive handle Avvisa quando un'applicazione apre un handle del disco fisso - + kilobytes kilobyte - + Issue message 2102 when a file is too large Mostra messaggio 2102 quando la dimensione di un file è troppo grande - + Remove spooler restriction, printers can be installed outside the sandbox Rimuovi il blocco allo spooler di stampa, i driver di stampa possono essere installati all'esterno dell'area virtuale - + Allow the print spooler to print to files outside the sandbox Consenti allo spooler di stampa di stampare i file all'esterno dell'area virtuale - + Block access to the printer spooler Blocca accesso allo spooler di stampa - + Other restrictions Altre restrizioni - + Printing restrictions Restrizioni di stampa - + Open System Protected Storage Apri il servizio di archiviazione protetta (fino a Windows 7) - + Show this box in the 'run in box' selection prompt Mostra quest'area virtuale nella finestra di selezione delle aree virtuali da avviare - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Avviso di sicurezza: Le applicazioni elevate sotto la supervisione di Sandboxie, con token amministrativo o di sistema, hanno maggiori possibilità di superare l'isolamento e di modificare il sistema all'esterno dell'area virtuale. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Consenti l'avvio di Windows Installer con un token di sistema nell'area virtuale e di applicare ulteriori eccezioni se richiesto - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Nota: Le eccezioni a Windows Installer non dovrebbero essere necessarie, tranne che in caso di problemi nell'installare un eseguibile .msi di cui ci si fida. In caso contrario, si consiglia di disattivare la limitazione dei privilegi amministrativi. - + Block read access to the clipboard Blocca accesso agli appunti di Windows - + Run Menu Menu Avvia - + You can configure custom entries for the sandbox run menu. Qui è possibile inserire nuove voci personalizzate per il menu Avvia di Sandboxie Plus. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Nome - + Command Line Riga di comando - + Add program Aggiungi programma - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Rimuovi - - - - - - - + + + + + + + Type Tipo - + Program Groups Gruppi dei programmi - + Add Group Aggiungi gruppo - - - - - + + + + + Add Program Aggiungi programma - + Force Folder Forza cartella - - - + + + Path Percorso - + Force Program Forza programma - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Mostra modelli - + General Configuration Configurazione - + Box Type Preset: Tipo di area virtuale: - + Box info Informazioni area virtuale - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Nuovi tipi di aree virtuali</b> sono disponibili esclusivamente per <u>i sostenitori del progetto</u>. Le aree virtuali con Privacy avanzata <b><font color='red'>proteggono i dati utente da accessi non autorizzati</font></b> nei programmi eseguiti.<br />Se non sei un sostenitore, si prega di <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">di supportare Sandboxie Plus</a> per ricevere un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificato di supporto</a>.<br />Senza certificato è possibile utilizzare i nuovi tipi di aree virtuali, ma in questo caso i processi verranno terminati automaticamente dopo 5 minuti. - + Encrypt sandbox content - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Store the sandbox content in a Ram Disk - + Set Password - + Open Windows Credentials Store (user mode) Apri il servizio di gestione credenziali di Windows (user mode) - + Prevent change to network and firewall parameters (user mode) Blocca la modifica dei parametri di rete e firewall (user mode) - + Disable Security Isolation - - + + Box Protection - + Protect processes within this box from host processes - + Allow Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Deny Process - + Force protection on mount - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Allow useful Windows processes access to protected processes - + Use a Sandboxie login instead of an anonymous token Usa autenticazione di Sandboxie invece di un token anonimo - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. I seguenti programmi, o i programmi avviati dai seguenti percorsi, verranno avviati automaticamente in quest'area virtuale. - - + + Stop Behaviour Chiusura dei processi - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + Start Restrictions Restrizioni di avvio - + Issue message 1308 when a program fails to start Mostra messaggio 1308 quando un programma non viene avviato - + Allow only selected programs to start in this sandbox. * Consenti l'avvio dei programmi selezionati nell'area virtuale. * - + Prevent selected programs from starting in this sandbox. Blocca l'esecuzione dei programmi selezionati nell'area virtuale. - + Allow all programs to start in this sandbox. Consenti l'avvio di tutti i programmi nell'area virtuale. - + * Note: Programs installed to this sandbox won't be able to start at all. * Nota: i programmi installati nell'area virtuale non potranno essere avviati o eseguiti. - + Configure which processes can access Desktop objects like Windows and alike. - + Process Restrictions Restrizioni dei processi - + Issue message 1307 when a program is denied internet access Mostra messaggio 1307 quando è negato l'accesso a Internet - + Note: Programs installed to this sandbox won't be able to access the internet at all. Nota: i programmi installati nell'area virtuale non potranno accedere a Internet. - + Prompt user whether to allow an exemption from the blockade. Chiedi all'utente se consentire un'esclusione dal blocco. - + Resource Access Accesso risorse - - - - - - - - - - + + + + + + + + + + Program Programma - - - - - - + + + + + + Access Accesso - + Add Reg Key Aggiungi chiave di registro - + Add File/Folder Aggiungi file/cartella - + Add Wnd Class Aggiungi classe finestra - + Add COM Object Aggiungi oggetto COM - + Add IPC Path Aggiungi percorso IPC - + File Recovery Recupero file - + Add Folder Aggiungi cartella - + Ignore Extension Ignora estensione - + Ignore Folder Ignora cartella - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Attiva notifica di Recupero immediato dei file, non appena questi vengono creati. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. È possibile escludere estensioni di file e cartelle dal Recupero immediato. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Una volta richiamata la funzione di Recupero veloce, verrà analizzato il contenuto delle seguenti cartelle nell'area virtuale. - + Advanced Options Opzioni avanzate - + Miscellaneous Opzioni varie - - - - - - - + + + + + + + Protect the sandbox integrity itself Proteggi l'integrità dell'area virtuale - + Do not start sandboxed services using a system token (recommended) Non avviare servizi nell'area virtuale tramite token di sistema (raccomandato) - - + + Compatibility Compatibilità - + Force usage of custom dummy Manifest files (legacy behaviour) Forza l'utilizzo dei file manifest fittizi (legacy) - + Don't alter window class names created by sandboxed programs Da attivare solo per motivi di compatibilità Blocca la modifica dei nomi della classe finestra effettuata da Sandboxie - + Allow only privileged processes to access the Service Control Manager Consenti solo ai processi privilegiati di accedere al Service Control Manager - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. ATTENZIONE: Nel caso di processi in esecuzione tramite l'account amministratore nascosto, non sarà possibile limitare i privilegi amministrativi. - + Prompt user for large file migration Avvisa l'utente durante la copia dei file - + Emulate sandboxed window station for all processes Emula window station per tutti i processi nell'area virtuale - + Allow sandboxed programs to manage Hardware/Devices Consenti ai programmi nell'area virtuale di gestire dispositivi hardware - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. È possibile riunire più programmi in un unico nome di gruppo. I gruppi dei programmi possono essere usati per interagire con alcune impostazioni al posto dei nomi dei programmi. I gruppi definiti nell'area virtuale sovrascrivono i gruppi definiti nei modelli. - + Set network/internet access for unlisted processes: Imposta accesso di rete/Internet per i processi non presenti in elenco: - + Test Rules, Program: Regole di prova, Programma: - + Port: Porta: - + IP: IP: - + Protocol: Protocollo: - + X X - + Double click action: Azione doppio click del mouse: - + Separate user folders Separa cartelle utente - + Box Structure Struttura area virtuale - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Usa i numeri di serie dei volumi per le unità, come: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty La struttura dell'area virtuale può essere modificata solo quando questa è vuota - + Disk/File access Accesso al disco/file - + Virtualization scheme Schema di virtualizzazione - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -7934,37 +8033,37 @@ Se si è già un Great Supporter su Patreon, Sandboxie può verificare la presen 2115: Il file non è stato migrato, quindi verrà aperto in sola lettura - + Issue message 2113/2114/2115 when a file is not fully migrated Mostra messaggio 2113/2114/2115 quando un file non è completamente migrato - + Add Pattern Aggiungi modello - + Remove Pattern Rimuovi modello - + Pattern Modello - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie non consente di scrivere sui file host, a meno che non sia consentito dall'utente. Quando un'applicazione avviata nell'area virtuale tenta di modificare un file, l'intero file deve essere copiato nell'area virtuale. Per i file di grandi dimensioni, questa operazione può richiedere un tempo significativo. Per questo motivo, Sandboxie fornisce varie opzioni che possono essere configurate per gestire questi casi. - + Using wildcard patterns file specific behavior can be configured in the list below: Utilizzando i modelli di caratteri jolly, è possibile configurare un comportamento specifico per i file nell'elenco seguente: - + When a file cannot be migrated, open it in read-only mode instead Quando un file non può essere migrato, aprirlo in modalità di sola lettura @@ -7973,105 +8072,105 @@ Se si è già un Great Supporter su Patreon, Sandboxie può verificare la presen Icona - - + + Move Up Sposta in alto - - + + Move Down Sposta in basso - + Security Options Opzioni di sicurezza - + Security Hardening Restrizioni di sicurezza - + Security Isolation Isolamento di sicurezza - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Diverse funzioni di isolamento possono interrompere la compatibilità con alcune applicazioni. Nel caso in cui si preferisce <b>NON</b> utilizzare quest'area virtuale <b>in modo sicuro</b> a favore della portabilità delle applicazioni, è possibile ripristinare la compatibilità abbassando le misure di sicurezza. - + Access Isolation Isolamento degli accessi - + Other Options - + Port Blocking - + Block common SAMBA ports - + Block DNS, UDP port 53 - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Image Protection Protezione immagine - + Issue message 1305 when a program tries to load a sandboxed dll Mostra messaggio 1305 quando un programma tenta di caricare un file DLL nell'area virtuale - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox Impedisci ai programmi in esecuzione nell'area virtuale (installati sul sistema host) di caricare file DLL - + Partially checked means prevent box removal but not content deletion. La selezione parziale impedisce la rimozione dell'area virtuale, ma non la cancellazione del contenuto. - + Dlls && Extensions DLL ed estensioni - + Description Descrizione - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8080,14 +8179,14 @@ This is done to prevent rogue processes inside the sandbox from creating a renam In questo modo si impedisce che i processi dannosi all'interno dell'area virtuale creino una copia rinominata di se stessi e accedano alle risorse protette. Un altro vettore di exploit è l'iniezione di una libreria DLL in un processo autorizzato per ottenere l'accesso a tutto ciò a cui è consentito accedere. Utilizzando la protezione dell'immagine host, questo può essere evitato impedendo alle applicazioni (installate sull'host) in esecuzione nell'area virtuale di caricare le librerie DLL dalla stessa area virtuale. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. Segnalare eventuali errori di inglese direttamente all'autore di Sandboxie Plus La funzionalità di Sandboxie può essere migliorata utilizzando delle DLL facoltative che possono essere caricate all'avvio in ogni processo dell'area virtuale tramite il file SbieDll.dll. La gestione dei componenti aggiuntivi nelle impostazioni globali offre un paio di utili estensioni che, una volta installate, possono essere attivate qui per l'area virtuale corrente. - + Advanced Security Sicurezza avanzata @@ -8096,197 +8195,192 @@ In questo modo si impedisce che i processi dannosi all'interno dell'ar Usa autenticazione di Sandboxie invece di un token anonimo (sperimentale) - + Other isolation Isolamento aggiuntivo - + Privilege isolation Isolamento dei privilegi - + Sandboxie token Token di Sandboxie - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. L'uso di un token di Sandboxie personalizzato consente di isolare meglio le singole aree virtuali e di mostrare nella colonna utente del task manager il nome dell'area virtuale a cui appartiene un processo. Alcune soluzioni di sicurezza di terze parti potrebbero tuttavia avere problemi con i token personalizzati. - + Program Control Controllo programmi - + Force Programs Forzatura programmi - + Disable forced Process and Folder for this sandbox Disattiva la forzatura di processi e cartelle per quest'area virtuale - + Breakout Programs Esclusione programmi - + Breakout Program Escludi programma - + Breakout Folder Escludi cartella - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. I programmi inseriti qui potranno uscire da questa area virtuale al momento del loro avvio. È anche possibile forzarli in un'altra area virtuale, ad esempio per avere il browser Web sempre aperto in una area virtuale dedicata. - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + Isolation - + Only Administrator user accounts can make changes to this sandbox - + Job Object - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Drop ConHost.exe Process Integrity Level - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - + Lingering Programs Programmi secondari - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. I processi secondari verranno chiusi automaticamente qualora siano ancora in esecuzione, dopo aver terminato tutti gli altri processi. - + Leader Programs Programmi principali - + If leader processes are defined, all others are treated as lingering processes. Una volta impostati i processi principali, tutti gli altri verranno trattati come processi secondari. - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Files File - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configura i processi che possono accedere a file, cartelle e pipe. L'accesso 'Consenti' su file e chiavi di registro si applica solo ai programmi eseguibili presenti all'esterno dell'area virtuale. È possibile utilizzare l'accesso 'Consenti tutto' per estenderlo a tutti i programmi o modificare questo aspetto nella scheda Criteri. - + Registry Registro - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configura i processi che possono accedere al Registro di sistema. L'accesso 'Consenti' su file e chiavi di registro si applica solo ai programmi eseguibili presenti all'esterno dell'area virtuale. È possibile utilizzare l'accesso 'Consenti tutto' per estenderlo a tutti i programmi o modificare questo aspetto nella scheda Criteri. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Configura quali processi possono accedere agli oggetti NT IPC, come le porte ALPC, il contesto e la memoria dei processi. Per specificare un processo, utilizza '$:program.exe' come percorso. - + Wnd Finestre - + Wnd Class Classe finestra @@ -8295,261 +8389,293 @@ Per specificare un processo, utilizza '$:program.exe' come percorso.Configurare i processi che possono accedere agli oggetti del desktop, come finestre e simili. - + COM COM - + Class Id Id classe - + Configure which processes can access COM objects. Configura i processi che possono accedere agli oggetti COM. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Non utilizzare COM virtualizzato, consenti accesso all'infrastruttura COM degli host (non raccomandato) - + Access Policies Criteri di accesso - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Estendi le regole Close...=!<program>,... anche a tutti i programmi eseguibili presenti nell'area virtuale. - + Network Options Opzioni di rete - + Add Rule Aggiungi regola - - - - + + + + Action Azione - + + Allow sandboxed processes to open files protected by EFS + + + + Prevent sandboxed processes from interfering with power operations (Experimental) - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Create a new sandboxed token instead of stripping down the original token - + Force Children - - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + + Port Porta - - - + + + IP IP - + Protocol Protocollo - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. ATTENZIONE: La piattaforma di filtraggio di Windows non è attiva come impostazione predefinita. Qualora non venisse attivata manualmente, queste regole verranno applicate solo in user mode e le applicazioni dannose potrebbero bypassarle. - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Resolve hostnames via proxy - + Quick Recovery Recupero veloce - + Immediate Recovery Recupero immediato - + Various Options Opzioni varie - + Allow use of nested job objects (works on Windows 8 and later) Consenti l'uso dei processi nidificati (per Windows 8 e versioni successive) - + Open access to Windows Security Account Manager Consenti accesso al sistema di gestione degli account di sicurezza (SAM) - + Open access to Windows Local Security Authority Consenti accesso al sottosistema dell'autorità di protezione locale (LSASS) - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. La specificità delle regole è una misura di quanto una determinata regola corrisponda a un particolare percorso, in poche parole la specificità è la lunghezza dei caratteri dall'inizio del percorso fino all'ultima sottostringa senza caratteri jolly. Una regola che corrisponde solo ai tipi di file come "*.tmp" avrebbe la più alta specificità in quanto corrisponderebbe sempre all'intero percorso del file. Il livello di corrispondenza del processo ha una priorità più alta della specificità, e descrive come una regola si applica a un determinato processo. Le regole che si applicano per nome di processo o gruppo hanno il livello di corrispondenza più forte, seguito dalla corrispondenza per negazione (ovvero regole che si applicano a tutti i processi tranne quello specificato), mentre i livelli di corrispondenza più bassi hanno corrispondenze globali, ovvero regole che si applicano a qualsiasi processo. - + Prioritize rules based on their Specificity and Process Match Level Assegna priorità alle regole in base alla loro specificità e al livello di corrispondenza del processo - + Privacy Mode, block file and registry access to all locations except the generic system ones Modalità Privacy, blocca l'accesso ai file e al registro per tutti i percorsi eccetto quelli di sistema - + Access Mode Modalità di accesso - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Quando la Modalità Privacy è attiva, i processi nell'area virtuale potranno soltanto leggere C:\Windows\*, C:\Program Files\* e parte del registro HKLM, mentre tutti gli altri percorsi avranno bisogno di un accesso esplicito per consentire la lettura e/o scrittura. In questa modalità, l'opzione di specificità rimane sempre attiva. - + Rule Policies Criteri regole - + Apply File and Key Open directives only to binaries located outside the sandbox. Applica le regole di accesso 'Consenti' soltanto ai programmi eseguibili presenti all'esterno dell'area virtuale. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Avvia il servizio RpcSs come processo di sistema nell'area virtuale (non raccomandato) - + Add sandboxed processes to job objects (recommended) Aggiungi processi in esecuzione nell'area virtuale agli oggetti Job (raccomandato) - + Drop critical privileges from processes running with a SYSTEM token Rimuovi i privilegi critici dai processi avviati con un token di sistema - - + + (Security Critical) (opzione di sicurezza) - + Protect sandboxed SYSTEM processes from unprivileged processes Proteggi i processi di sistema nell'area virtuale dai processi senza privilegi - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Disattiva l'utilizzo di RpcMgmtSetComTimeout per impostazione predefinita (potrebbe risolvere problemi di compatibilità) - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. L'isolamento di sicurezza che consiste nell'uso di un token di processo fortemente limitato è il metodo principale di Sandboxie di applicare restrizioni all'area virtuale. Quando questa opzione è disattivata, l'area virtuale viene gestita dalla modalità di compartimento delle applicazioni, in cui viene fornito un semplice compartimento delle applicazioni senza le normali misure di sicurezza. @@ -8559,22 +8685,22 @@ Il livello di corrispondenza del processo ha una priorità più alta della speci Disattiva isolamento di sicurezza (sperimentale) - + Security Isolation & Filtering Isolamento e filtraggio - + Disable Security Filtering (not recommended) Disattiva filtraggio di sicurezza (non raccomandato) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Il filtraggio di sicurezza viene usato da Sandboxie per applicare le restrizioni di accesso al file system e al registro, e per limitare l'accesso ai processi. - + The below options can be used safely when you don't grant admin rights. Le opzioni sottostanti possono essere usate senza rischi quando non si concedono privilegi amministrativi. @@ -8583,84 +8709,84 @@ Il livello di corrispondenza del processo ha una priorità più alta della speci Nascondi processi - + Add Process Aggiungi processo - + Hide host processes from processes running in the sandbox. Nascondi i processi di host dai processi in esecuzione nell'area virtuale. - + Don't allow sandboxed processes to see processes running in other boxes Non consentire ai processi dell'area virtuale di vedere i processi avviati in altre aree virtuali - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Total Processes Memory Limit: - + Single Process Memory Limit: - + Restart force process before they begin to execute - + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + Users Utenti - + Restrict Resource Access monitor to administrators only Limita il log di accesso risorse ai soli amministratori - + Add User Aggiungi utente - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8669,32 +8795,32 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Nota: le impostazioni dei programmi e delle cartelle forzate nell'area virtuale non si applicano agli account utente non abilitati all'utilizzo dell'area virtuale. - + Tracing Tracing - + API call Trace (traces all SBIE hooks) - + COM Class Trace Traccia classe COM - + IPC Trace Traccia IPC - + Key Trace Traccia chiavi di registro - + GUI Trace Traccia GUI @@ -8703,28 +8829,28 @@ Nota: le impostazioni dei programmi e delle cartelle forzate nell'area virt Traccia chiamata API (richiede l'installazione di LogAPI nella cartella di Sandboxie Plus) - + Log all SetError's to Trace log (creates a lot of output) Sostituibile con "log di traccia", tuttavia "log di accesso" mi sembra più adatto per i non esperti Registra tutti i SetError nel log di accesso (genera molto output) - + File Trace Traccia file - + Pipe Trace Traccia pipe - + Access Tracing Log di accesso - + Log Debug Output to the Trace Log Sostituibile con "log di traccia", tuttavia "log di accesso" mi sembra più adatto per i non esperti Registra output di debug nel log di accesso @@ -8735,93 +8861,93 @@ Nota: le impostazioni dei programmi e delle cartelle forzate nell'area virt Mostra sempre quest'area virtuale nell'area di notifica (in rilievo) - + Security enhancements Miglioramenti di sicurezza - + Use the original token only for approved NT system calls Usa il token originale solo per le chiamate di sistema NT approvate - + Restrict driver/device access to only approved ones Limita accesso ai soli driver/dispositivi approvati - + Enable all security enhancements (make security hardened box) Attiva tutti i miglioramenti di sicurezza (crea area virtuale ristretta) - + Allow to read memory of unsandboxed processes (not recommended) Consenti di leggere la memoria dei processi all'esterno dell'area virtuale (non raccomandato) - + Issue message 2111 when a process access is denied Mostra messaggio 2111 quando è negato l'accesso a un processo - + Triggers Attivazioni - + Event Evento - - - - + + + + Run Command Avvia comando - + Start Service Avvia servizio - + These events are executed each time a box is started Questi eventi vengono eseguiti a ogni avvio di un'area virtuale - + On Box Start Qui ho forzato di proposito un ritorno a capo per ragioni di lunghezza All'avvio<br />dell'area virtuale - - + + These commands are run UNBOXED just before the box content is deleted Questi comandi vengono eseguiti FUORI dall'area virtuale poco prima dell'eliminazione del contenuto - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Questi comandi vengono eseguiti solamente all'inizializzazione di un'area virtuale. Per eseguirli nuovamente, il contenuto dell'area virtuale dovrà essere rimosso. - + On Box Init Qui ho forzato di proposito un ritorno a capo per ragioni di lunghezza All'inizializzazione<br />dell'area virtuale - + Here you can specify actions to be executed automatically on various box events. È possibile specificare una lista di azioni che verranno eseguite automaticamente in base agli eventi dell'area virtuale. - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8843,78 +8969,78 @@ Queste opzioni impostano la maschera degli eventi a "*" - tutti gli ev Traccia chiamata di sistema Ntdll (genera molto output) - + Disable Resource Access Monitor Disattiva monitor di accesso risorse per quest'area virtuale - + Resource Access Monitor Monitor accesso risorse - - + + Network Firewall Firewall di rete - + Bypass IPs - + Debug Debug - + WARNING, these options can disable core security guarantees and break sandbox security!!! ATTENZIONE! Queste opzioni possono disattivare le misure di sicurezza e compromettere la sicurezza dell'area virtuale!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Queste opzioni sono destinate al debug dei problemi di compatibilità, si prega di utilizzarle solo per scopi di test. - + App Templates Modelli applicazioni - + Filter Categories Filtra categorie - + Text Filter Cerca - + Add Template Aggiungi modello - + Category Categoria - + This list contains a large amount of sandbox compatibility enhancing templates Questo elenco contiene un gran numero di modelli di compatibilità software - + Template Folders Percorsi modelli - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8923,74 +9049,74 @@ Please note that this values are currently user specific and saved globally for I seguenti valori sono specifici per l'utente e salvati a livello globale per tutte le aree virtuali. - - + + Value Valore - + Accessibility Accessibilità - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Per compensare alla disabilitazione delle misure di protezione, consultare la pagina Limitazione dei diritti, nel gruppo Restrizioni. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Screen reader: JAWS, NVDA, Window-Eyes, System Access - + Restrictions Restrizioni - + Apply ElevateCreateProcess Workaround (legacy behaviour) Applica il workaround ElevateCreateProcess (legacy) - + Use desktop object workaround for all processes Usa il workaround dell'oggetto desktop per tutti i processi - + This command will be run before the box content will be deleted Questo comando verrà eseguito prima che il contenuto dell'area virtuale venga eliminato - + On File Recovery Al recupero dei file - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked Questo comando verrà eseguito prima del recupero di un file e il percorso del file passato come primo argomento. Se questo comando restituisce qualcosa di diverso da 0, il recupero viene bloccato - + Run File Checker Avvia controllo dei file - + On Delete Content Alla rimozione del<br />contenuto - + Protect processes in this box from being accessed by specified unsandboxed host processes. Proteggi i processi dell'area virtuale dall'accesso dei processi host. - - + + Process Processo @@ -8999,128 +9125,128 @@ I seguenti valori sono specifici per l'utente e salvati a livello globale p Blocca anche l'accesso in lettura ai processi in questa area virtuale - + Add Option Aggiungi opzione - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Qui è possibile configurare opzioni avanzate per processo al fine di migliorare la compatibilità e/o personalizzare il comportamento dell'area virtuale. - + Option Opzione - + On Box Terminate - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + DNS Request Logging - + Syscall Trace (creates a lot of output) - + Templates Modelli - + Open Template - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Le seguenti impostazioni consentono di usare Sandboxie in combinazione con i programmi per l'accesso facilitato. Tuttavia, alcune misure di protezione di Sandboxie vengono disabilitate quando queste impostazioni sono attive. - + Edit ini Section Qui ho forzato di proposito un ritorno a capo Modifica configurazione area virtuale - + Edit ini Modifica Sandboxie.ini - + Cancel Annulla - + Save Salva @@ -9136,7 +9262,7 @@ area virtuale ProgramsDelegate - + Group: %1 Gruppo: %1 @@ -9144,7 +9270,7 @@ area virtuale QObject - + Drive %1 Unità %1 @@ -9152,27 +9278,27 @@ area virtuale QPlatformTheme - + OK OK - + Apply Applica - + Cancel Annulla - + &Yes &Sì - + &No &No @@ -9185,7 +9311,7 @@ area virtuale Sandboxie Plus - Recupero - + Close Chiudi @@ -9205,27 +9331,27 @@ area virtuale Elimina contenuto - + Recover Recupera - + Refresh Aggiorna - + Delete Elimina - + Show All Files Mostra tutti i file - + TextLabel Etichetta di testo @@ -9291,12 +9417,12 @@ area virtuale Configurazione generale - + Systray options Opzioni area di notifica - + Open urls from this ui sandboxed Apri gli URL di questo programma nell'area virtuale @@ -9305,12 +9431,12 @@ area virtuale Questo certificato è scaduto, si prega di <a href="sbie://update/cert">ottenere un certificato aggiornato</a>. - + The preview channel contains the latest GitHub pre-releases. Il canale di anteprima contiene le ultime versioni di anteprima pubblicate su GitHub. - + Enter the support certificate here Inserire il certificato di supporto @@ -9323,12 +9449,12 @@ area virtuale Nuove versioni - + The stable channel contains the latest stable GitHub releases. Il canale stabile contiene le ultime versioni stabili pubblicate su GitHub. - + Search in the Stable channel Cerca nel canale stabile @@ -9337,7 +9463,7 @@ area virtuale Mantenere Sandboxie aggiornato con i rilasci continui di Windows e garantire la compatibilità con i browser moderni è uno sforzo senza fine. Si prega di supportare questo lavoro con una donazione.<br />È possibile supportare lo sviluppo con una <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">donazione PayPal</a>, che consente anche la donazione tramite carta di credito. Inoltre, è possibile fornire un supporto costante con un <a href="https://sandboxie-plus.com/go.php?to=patreon">abbonamento Patreon</a>. - + Search in the Preview channel Cerca nel canale di anteprima @@ -9350,32 +9476,32 @@ area virtuale Controlla periodicamente gli aggiornamenti di Sandboxie Plus - + Start UI with Windows Esegui Sandboxie Plus all'avvio di Windows - + Add 'Run Sandboxed' to the explorer context menu Aggiungi l'opzione «Avvia nell'area virtuale» al menu contestuale - + Start UI when a sandboxed process is started Esegui Sandboxie Plus all'avvio di un programma nell'area virtuale - + Show file recovery window when emptying sandboxes Mostra la finestra di recupero file prima di svuotare le aree virtuali - + Config protection Blocco della configurazione - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: <a href="sbie://docs/ipcrootpath">Percorso IPC</a> dell'area virtuale: @@ -9385,7 +9511,7 @@ area virtuale Lingua: - + Count and display the disk space occupied by each sandbox Calcola e mostra lo spazio su disco occupato da ogni area virtuale @@ -9395,42 +9521,42 @@ area virtuale Opzioni SandMan - + Show the Recovery Window as Always on Top Mostra la finestra di recupero sempre in primo piano - + Notifications Notifiche - + Add Entry Aggiungi voce - + Show file migration progress when copying large files into a sandbox Mostra l'avanzamento della migrazione dei file quando si copiano file di grandi dimensioni in un'area virtuale - + Message ID ID messaggio - + Message Text (optional) Testo messaggio (opzionale) - + SBIE Messages Messaggi di Sandboxie - + Delete Entry Elimina voce @@ -9439,7 +9565,7 @@ area virtuale Nascondi le notifiche popup per tutti i messaggi di Sandboxie - + Notification Options Opzioni di notifica @@ -9449,22 +9575,22 @@ area virtuale Sandboxie potrebbe generare i <a href= "sbie://docs/ sbiemessages">Messaggi SBIE</a> nel log dei messaggi e mostrarli come popup. Alcuni messaggi sono informativi e notificano un evento comune, o in alcuni casi speciale, che si è verificato, mentre altri indicano una condizione di errore.<br />Tramite l'elenco in basso, è possibile nascondere i messaggi SBIE da non mostrare come popup: - + Shell Integration Integrazione sistema - + Windows Shell Shell di Windows - + Run Sandboxed - Actions Opzioni di avvio <br />nell'area virtuale - + Start Sandbox Manager Avvio del programma @@ -9473,22 +9599,22 @@ area virtuale Icona - + Move Up Sposta in alto - + Move Down Sposta in basso - + Show "Pizza" Background in box list * Mostra lo sfondo "Pizza" nell'elenco delle aree virtuali * - + Show overlay icons for boxes and processes Mostra icone in rilievo per le aree virtuali e i processi @@ -9497,122 +9623,122 @@ area virtuale Opzioni di visualizzazione - + % % - + Alternate row background in lists Alterna il colore delle righe negli elenchi - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: <a href="sbie://docs/keyrootpath">Percorso del registro</a> dell'area virtuale: - + Sandboxing features Funzionalità di isolamento - + Sandboxie Config Configurazione Sandboxie - + Clear password when main window becomes hidden Cancella la password non appena la finestra viene nascosta - + Only Administrator user accounts can use Pause Forcing Programs command Solo gli account Amministratore possono utilizzare la funzione «Sospendi programmi forzati» - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: <a href="sbie://docs/filerootpath">Percorso file system</a> dell'area virtuale: - + Run box operations asynchronously whenever possible (like content deletion) Avvia operazioni in modo asincrono quando possibile (es. eliminazione del contenuto) - + Hotkey for terminating all boxed processes: Tasto di scelta rapida per la chiusura di tutti i processi: - + Always use DefaultBox Usa sempre DefaultBox - + Show a tray notification when automatic box operations are started Mostra notifica riguardante l'avvio delle operazioni automatiche nell'area virtuale - + Advanced Config Configurazione avanzata - + Activate Kernel Mode Object Filtering Attiva protezione processi in modalità kernel - + Only Administrator user accounts can make changes Solo gli account Amministratore possono apportare modifiche - + Password must be entered in order to make changes È necessario inserire la password per apportare modifiche - + Change Password Modifica password - + Portable root folder Percorso cartella portatile - + ... ... - + Sandbox default Impostazioni globali - + Watch Sandboxie.ini for changes Monitora Sandboxie.ini per eventuali modifiche - + Show recoverable files as notifications Mostra i file da recuperare nella finestra delle notifiche - + Show Icon in Systray: Icona nell'area di notifica: - + Show boxes in tray list: Mostra nell'icona di notifica: @@ -9622,373 +9748,373 @@ area virtuale Opzioni generali - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie potrebbe generare i <a href="sbie://docs/sbiemessages">Messaggi SBIE</a> nel log dei messaggi e mostrarli come popup. Alcuni messaggi sono informativi e notificano un evento comune, o in alcuni casi speciale, che si è verificato, mentre altri indicano una condizione di errore.<br />Tramite l'elenco in basso, è possibile indicare i messaggi SBIE da non mostrare come popup: - + Disable SBIE messages popups (they will still be logged to the Messages tab) Disattiva le notifiche popup dei messaggi SBIE (verranno comunque registrati nella scheda Messaggi) - + Add 'Run Un-Sandboxed' to the context menu Aggiungi l'opzione «Avvia all'esterno dell'area virtuale» al menu contestuale - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list Nascondi i processi di Sandboxie dalla lista dei task - + Ini Editor Font Font dell'editor - + Graphic Options Opzioni grafiche - + Hotkey for bringing sandman to the top: - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Integrate with Host Desktop - + System Tray - + On main window close: - + Open/Close from/to tray with a single click - + Minimize to tray - + Select font Seleziona font - + Reset font Reimposta font - + Ini Options Qui ho forzato di proposito un ritorno a capo per ragioni di lunghezza Opzioni editor di<br />configurazione - + # # - + External Ini Editor Editor esterno - + Add-Ons Manager Gestione componenti aggiuntivi - + Optional Add-Ons Componenti aggiuntivi facoltativi - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie Plus offre numerose opzioni e un supporto ad una vasta gamma di estensioni. In questa pagina, è possibile configurare l'integrazione di componenti aggiuntivi, plugin, e altri componenti di terze parti. I componenti facoltativi possono essere scaricati dal Web, e l'installazione di alcuni potrebbe richiedere privilegi di amministratore. - + Status Stato - + Version Versione - + Description Descrizione - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">aggiorna la lista dei componenti aggiuntivi</a> - + Install Installa - + Add-On Configuration - + Enable Ram Disk creation - + kilobytes kilobyte - + Assign drive letter to Ram Disk - + Disk Image Support - + RAM Limit - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Hide SandMan windows from screen capture (UI restart required) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + Sandboxie Support Supporto Sandboxie - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Questo certificato è scaduto, si prega di <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">ottenere un certificato aggiornato</a>. - + Get Ottieni - + Retrieve/Upgrade/Renew certificate using Serial Number Recupera/aggiorna/rinnova il certificato utilizzando il numero di serie - + SBIE_-_____-_____-_____-_____ Inutile da tradurre - + Sandboxie Updater Updater Sandboxie - + Keep add-on list up to date Mantieni aggiornata la lista dei componenti aggiuntivi - + Update Settings Impostazioni aggiornamento - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Il canale insider offre accesso anticipato alle nuove funzionalità e risoluzioni di bug che saranno successivamente rilasciate al pubblico, in aggiunta a tutti i miglioramenti rilevanti dal canale stabile. A differenza del canale di anteprima, non contiene modifiche non testate, potenzialmente problematiche o sperimentali che potrebbero non essere pronte per l'uso comune. - + Search in the Insider channel Cerca nel canale insider - + Check periodically for new Sandboxie-Plus versions Controlla periodicamente gli aggiornamenti di Sandboxie Plus - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> Frasi più lunghe non entrano Info sul <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">canale insider</a> - + Keep Troubleshooting scripts up to date Mantieni aggiornati gli script per la risoluzione problemi - + Update Check Interval Frasi più lunghe non entrano Controlla ogni - + Use Windows Filtering Platform to restrict network access Usa la piattaforma di filtraggio di Windows per limitare accesso di rete - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Usa chiamate di sistema Win32k per accelerazione GPU (sperimentale) - + Use Compact Box List Usa elenco ridotto di opzioni - + Interface Config Configurazione interfaccia - + Make Box Icons match the Border Color Imposta le icone dell'area virtuale in modo che corrispondano al colore del bordo - + Use a Page Tree in the Box Options instead of Nested Tabs * Usa una struttura ad albero nelle opzioni dell'area virtuale invece di schede annidate * - - + + Interface Options Opzioni di interfaccia - + Use large icons in box list * Usa icone grandi nell'elenco delle aree virtuali * - + High DPI Scaling Ridimensionamento DPI elevati - + Don't show icons in menus * Non mostrare icone nei menu * - + Use Dark Theme Usa tema scuro - + Recovery Options Opzioni di recupero - + Start Menu Integration Integrazione menu Start - + Scan shell folders and offer links in run menu Scansiona le cartelle della shell e offri collegamenti nel menu di esecuzione - + Integrate with Host Start Menu Integrazione con il menu Start dell'host - + Font Scaling Ridimensionamento caratteri - + (Restart required) (Riavvio richiesto) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. Qui ho forzato di proposito un ritorno a capo per ragioni di lunghezza * le caselle di controllo con selezione parziale funzioneranno in modo diverso a seconda dell'interfaccia di visualizzazione. - + Use Fusion Theme Usa tema Fusion - + Use new config dialog layout * Usa il nuovo layout della finestra di configurazione dell'area virtuale * @@ -9997,93 +10123,93 @@ in modo diverso a seconda dell'interfaccia di visualizzazione.Usa autenticazione di Sandboxie invece di un token anonimo (sperimentale) - + Program Alerts Avvisi dei programmi - - - - - + + + + + Name Nome - + Path Percorso - + Remove Program Rimuovi programma - + Add Program Aggiungi programma - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Quando uno dei seguenti programmi viene avviato all'esterno dell'area virtuale, Sandboxie mostrerà il messaggio SBIE1301. - + Add Folder Aggiungi cartella - + Prevent the listed programs from starting on this system Blocca l'esecuzione dei programmi elencati all'esterno dell'area virtuale - + Issue message 1308 when a program fails to start Mostra messaggio 1308 quando un programma non viene avviato - + This option also enables asynchronous operation when needed and suspends updates. Questa opzione abilita anche il funzionamento asincrono quando necessario e sospende gli aggiornamenti. - + Suppress pop-up notifications when in game / presentation mode Sopprimi le notifiche a comparsa quando si è in modalità gioco/presentazione - + User Interface Interfaccia utente - + Run Menu Menu Avvia - + Add program Aggiungi programma - + You can configure custom entries for all sandboxes run menus. È possibile configurare voci personalizzate per tutti i menu Avvia delle aree virtuali. - - - + + + Remove Rimuovi - + Command Line Riga di comando @@ -10093,200 +10219,210 @@ in modo diverso a seconda dell'interfaccia di visualizzazione.Disattiva le notifiche popup dei messaggi di Sandboxie - + Support && Updates Supporto e aggiornamenti - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) I sostenitori del progetto Sandboxie Plus riceveranno un <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificato di sostenitore</a>. È come un codice di licenza, ma dedicato alle persone straordinarie che utilizzano software open source. :-) - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Mantenere Sandboxie aggiornato con i rilasci continui di Windows e garantire la compatibilità con i browser moderni è uno sforzo senza fine. È possibile supportare lo sviluppo <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">contribuendo direttamente al progetto</a>, <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">acquistando un certificato</a>, <a href="https://sandboxie-plus.com/go.php?to=patreon">sottoscrivendo un abbonamento Patreon</a>, o effettuando una <a href="https://sandboxie-plus.com/go.php?to=donate">donazione PayPal</a>.<br />Il supporto gioca un ruolo fondamentale per l'avanzamento e il mantenimento di Sandboxie. - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Terminate all boxed processes when Sandman exits - + Add 'Set Open Path in Sandbox' to context menu - + HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + New full installers from the selected release channel. - + Full Upgrades - + Default sandbox: Area virtuale predefinita: - + Use a Sandboxie login instead of an anonymous token Usa autenticazione di Sandboxie invece di un token anonimo - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Sandboxie.ini Presets Opzioni Sandboxie.ini - + Always run SandMan UI as Admin - + Program Control Controllo programmi - + Issue message 1301 when forced processes has been disabled Mostra messaggio 1301 quando i processi forzati sono stati disabilitati - + USB Drive Sandboxing - + Volume - + Information - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + App Templates Modelli applicazioni - + App Compatibility Compatibilità applicazioni - + In the future, don't check software compatibility Non controllare la compatibilità dei programmi in futuro - + Enable Attiva - + Disable Disattiva - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. È stata rilevata la presenza dei seguenti programmi nel sistema. Fare click su OK per applicare le configurazioni che miglioreranno la compatibilità con questi programmi. Le configurazioni verranno applicate a tutte le aree virtuali, esistenti e non. - + Local Templates Modelli locali - + Add Template Aggiungi modello - + Text Filter Cerca - + This list contains user created custom templates for sandbox options Questo elenco contiene i modelli personalizzati creati dall'utente per le opzioni dell'area virtuale - + Open Template - + Edit ini Section Qui ho forzato di proposito un ritorno a capo Modifica configurazione globale - + Save Salva - + Edit ini Modifica Sandboxie.ini - + Cancel Annulla - + Incremental Updates Version Updates Aggiornamenti di versione @@ -10296,12 +10432,12 @@ globale Nuove versioni complete dal canale di rilascio selezionato. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Correzioni per la versione installata, aggiornamenti ai file Templates.ini e translations.7z. - + In the future, don't notify about certificate expiration Non notificare la scadenza del certificato in futuro @@ -10324,37 +10460,37 @@ globale Nome: - + Description: Descrizione: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Quando si elimina il contenuto di un'istantanea, verrai reindirizzato a questa istantanea invece che su nessuna. - + Default snapshot Istantanea predefinita - + Snapshot Actions Azioni - + Remove Snapshot Elimina istantanea - + Go to Snapshot Ripristina istantanea - + Take Snapshot Crea istantanea diff --git a/SandboxiePlus/SandMan/sandman_ja.ts b/SandboxiePlus/SandMan/sandman_ja.ts index 002c8b8d..f896d1c6 100644 --- a/SandboxiePlus/SandMan/sandman_ja.ts +++ b/SandboxiePlus/SandMan/sandman_ja.ts @@ -9,53 +9,53 @@ - + kilobytes - + Protect Box Root from access by unsandboxed processes - - + + TextLabel TextLabel - + Show Password - + Enter Password - + New Password - + Repeat Password - + Disk Image Size - + Encryption Cipher - + Lock the box when all processes stop. @@ -63,67 +63,67 @@ CAddonManager - + Do you want to download and install %1? - + Installing: %1 - + Do you want to remove %1? - + Removing: %1 - + Add-on not found, please try updating the add-on list in the global settings! - + Add-on not found! - + Add-on Not Found - + Add-on is not available for this platform - + Missing installation instructions - + Executing add-on setup failed - + Failed to delete a file during add-on removal - + Updater failed to perform add-on operation - + Updater failed to perform add-on operation, error: %1 @@ -131,43 +131,43 @@ CAdvancedPage - + Advanced Sandbox options - + On this page advanced sandbox options can be configured. - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -175,52 +175,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled - + Advanced Options - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -327,31 +337,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -367,155 +377,155 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. - + Enter box name: - + Select box type: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection - + Security Hardened Sandbox - + Sandbox with Data Protection - + Standard Isolation Sandbox (Default) - + Application Compartment with Data Protection - + Application Compartment Box - + Confidential Encrypted Box - + Remove after use - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. - + Configure advanced options - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -791,37 +801,65 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - - - - - Maximum + Zip + Store + + + + + Fastest + + + + + Fast + + + + + Normal + + + + + Maximum + + + + Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + ディレクトリの選択 + + + + This name is already in use, please select an alternative box name + + + CFileBrowserWindow @@ -871,73 +909,73 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. - + Sandboxed Files - + Select Directory ディレクトリの選択 - + Virtualization scheme - + Version 1 - + Version 2 - + Separate user folders - + Use volume serial numbers for drives - + Auto delete content when last process terminates - + Enable Immediate Recovery of files from recovery locations - + The selected box location is not a valid path. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? - + The selected box location is not placed on a currently available drive. @@ -1066,83 +1104,83 @@ You can use %USER% to save each users sandbox to an own folder. CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access - + Allow network/internet access - + Block network/internet by denying access to Network devices - + Block network/internet using Windows Filtering Platform - + Allow access to network files and folders - - + + This option is not recommended for Hardened boxes - + Prompt user whether to allow an exemption from the blockade - + Admin Options - + Drop rights from Administrators and Power Users groups - + Make applications think they are running elevated - + Allow MSIServer to run with a sandboxed system token - + Box Options - + Use a Sandboxie login instead of an anonymous token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. @@ -1202,22 +1240,23 @@ You can use %USER% to save each users sandbox to an own folder. - + Don't show this message again. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. @@ -1233,147 +1272,147 @@ You can use %USER% to save each users sandbox to an own folder. COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + Do you want to check if there is a new version of Sandboxie-Plus? - + Don't show this message again. - + Checking for updates... - + server not reachable - - + + Failed to check for updates, error: %1 - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> - + <p>Do you want to download the installer?</p> - + <p>Do you want to download the updates?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> - + Don't show this update anymore. - + Downloading updates... - + invalid parameter - + failed to download updated information - + failed to load updated json file - + failed to download a particular file - + failed to scan existing installation - + updated signature is invalid !!! - + downloaded file is corrupted - + internal error - + unknown error - + Failed to download updates from server, error %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> - + Downloading installer... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> - + Don't show this announcement in the future. @@ -1381,75 +1420,75 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - + Sandboxie Plus - '%1' Options - + File Options - + Grouping - - + + Browse for File - + Add %1 Template - + Search for options - + Box: %1 - + Template: %1 - + Global: %1 - + Default: %1 - + This sandbox has been deleted hence configuration can not be saved. - + Some changes haven't been saved yet, do you really want to close this options window? - - + + - - + + @@ -1457,13 +1496,13 @@ Note: The update check is often behind the latest GitHub release to ensure that - + - - - - + + + + @@ -1473,7 +1512,7 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Enter program: @@ -1616,8 +1655,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory @@ -1650,8 +1689,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1664,206 +1703,232 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. - + Enable crash dump creation in the sandbox folder - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes - + Set RpcMgmtSetComTimeout usage for specific processes - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. - + Make specified processes think they have admin permissions. - + Force specified processes to wait for a debugger to attach. - + Sandbox file system root - + Sandbox registry root - + Sandbox ipc root - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: - - + + On Start - - - - - + + + + + Run Command - + Start Service - + On Init - + On File Recovery - + On Delete Content - + On Terminate - - - - - + + + + + Please enter the command line to be executed - + Please enter a service identifier - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Deny - + Allow - + %1 (%2) - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. - - + + Process - - + + Folder - + Children - - - + + Document + + + + + + Select Executable File - - - + + + Executable Files (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? @@ -1938,151 +2003,151 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Custom icon - + Version 1 - + Version 2 - + Browse for Program - + Open Box Options - + Browse Content - + Start File Recovery - + Show Run Dialog - + Indeterminate - + Backup Image Header - + Restore Image Header - + Change Password - - + + Always copy - - + + Don't copy - - + + Copy empty - + kilobytes (%1) - + Select color - + Select Program - + Executables (*.exe *.cmd) - - + + Please enter a menu title - + Please enter a command - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored @@ -2323,12 +2388,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss - + Remove this progress indicator from the list @@ -2336,42 +2401,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process - + Yes - + No - + Terminate - + Yes and add to allowed programs - + Requesting process terminated - + Request will time out in %1 sec - + Request timed out @@ -2379,67 +2444,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: - + Browse - + Clear folder list フォルダリストをクリア - + Recover 回復 - + Recover the file to original location - + Recover && Explore - + Recover && Open/Run - + Open file recovery for this box - + Dismiss - + Don't recover this file right now - + Dismiss all from this box - + Disable quick recovery until the box restarts - + Select Directory ディレクトリの選択 @@ -2570,37 +2635,42 @@ Full path: %4 - + Select Directory ディレクトリの選択 - + + No Files selected! + + + + Do you really want to delete %1 selected files? 選択した %1 ファイルを削除します。本当によろしいですか? - + Close until all programs stop in this box このサンドボックスのすべてのプログラムが停止するまでの間、直接リカバリのメッセージを表示しない - + Close and Disable Immediate Recovery for this box このボックスに対する直接リカバリを無効化して閉じる - + There are %1 new files available to recover. リカバリ可能なファイルが新しく %1 個あります。 - + Recovering File(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. サンドボックス内に %1 個のファイルと %2 個のフォルダがあり、ディスク容量を %3 消費しています。 @@ -2747,22 +2817,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 - + Deleting folder: %1 - + Merging folders: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... @@ -2770,67 +2840,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled - + OPEN Root Access - + Application Compartment - + NOT SECURE - + Reduced Isolation - + Enhanced Isolation - + Privacy Enhanced - + No INet (with Exceptions) - + No INet - + Net Share - + No Admin - + Auto Delete - + Normal @@ -2991,7 +3061,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus Sandboxie-Plus について @@ -3376,9 +3446,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. @@ -3591,563 +3661,563 @@ Please check if there is an update for sandboxie. - + Failed to configure hotkey %1, error: %2 - - + + (%1) - + The box %1 is configured to use features exclusively available to project supporters. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. - + The selected feature requires an <b>advanced</b> supporter certificate. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! - + The Certificate is not suitable for this product. - + The Certificate is node locked. - + The support certificate is not valid. Error: %1 - + The evaluation period has expired!!! - + The supporter certificate is not valid for this build, please get an updated certificate - + The supporter certificate has expired%1, please get an updated certificate - + , but it remains valid for the current build - + The supporter certificate will expire in %1 days, please get an updated certificate - + Only Administrators can change the config. - + Please enter the configuration password. - + Login Failed: %1 - + Do you want to terminate all processes in all sandboxes? - - + + Don't ask in future - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - + Please enter the duration, in seconds, for disabling Forced Programs rules. Forced Programs ルールを一時的に無効化する時間を秒単位で入力してください。 - + No Recovery - + No Messages - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. - - - + + + Sandboxie-Plus - Error - + Failed to stop all Sandboxie components - + Failed to start required Sandboxie components - + Maintenance operation failed (%1) - + Maintenance operation completed - + Executing maintenance operation, please wait... - + In the Plus UI, this functionality has been integrated into the main sandbox list view. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. - + The changes will be applied automatically whenever the file gets saved. - + The changes will be applied automatically as soon as the editor is closed. - + Sandboxie config has been reloaded Sandboxie 構成は再読み込みされました - + Error Status: 0x%1 (%2) - + Unknown - + Administrator rights are required for this operation. この操作には管理者権限が必要です。 - + Failed to execute: %1 - + Failed to connect to the driver - + Failed to communicate with Sandboxie Service: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 - + Can't find Sandboxie installation path. - + Failed to copy configuration from sandbox %1: %2 - + A sandbox of the name %1 already exists - + Failed to delete sandbox %1: %2 - + The sandbox name can not be longer than 32 characters. - + The sandbox name can not be a device name. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. - + Failed to terminate all processes - + Delete protection is enabled for the sandbox - + All sandbox processes must be stopped before the box content can be deleted - + Error deleting sandbox folder: %1 - + All processes in a sandbox must be stopped before it can be renamed. - + A sandbox must be emptied before it can be deleted. - + Failed to move directory '%1' to '%2' - + Failed to move box image '%1' to '%2' - + This Snapshot operation can not be performed while processes are still running in the box. - + Failed to create directory for new snapshot - + Failed to copy box data files - + Snapshot not found - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. - + Failed to remove old snapshot directory '%1' - + Can't remove a snapshot that is shared by multiple later snapshots - + Failed to remove old box data files - + You are not authorized to update configuration in section '%1' - + Failed to set configuration setting %1 in section %2: %3 - + Can not create snapshot of an empty sandbox - + A sandbox with that name already exists - + The config password must not be longer than 64 characters - + The operation was canceled by the user - + The content of an unmounted sandbox can not be deleted - + %1 - + Import/Export not available, 7z.dll could not be loaded - + Failed to create the box archive - + Failed to open the 7z archive - + Failed to unpack the box archive - + The selected 7z file is NOT a box archive - + Unknown Error Status: 0x%1 - + Operation failed for %1 item(s). - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? %1 をサンドボックス化した、または、していないブラウザで開きますか? - + Remember choice for later. - + Sandboxed - + Unsandboxed - + Reset Columns 列をリセット - + Copy Cell - + Copy Row - + Copy Panel - + Case Sensitive - + RegExp - + Highlight - + Close 閉じる - + &Find ... - + All columns - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> @@ -4492,37 +4562,37 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSbieTemplatesEx - + Failed to initialize COM - + Failed to create update session - + Failed to create update searcher - + Failed to set search options - + Failed to enumerate installed Windows updates - + Failed to retrieve update list from search result - + Failed to get update count @@ -4530,621 +4600,606 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSbieView - - + + Pin to Run Menu - - - - - + + + + + Create Shortcut - - + + Create New Box 新規にサンドボックスを作成 - - + + Create Box Group 新規にグループを作成 - - + + Import Box ボックスのインポート - - + + Stop Operations - - + + Run 実行 - + Run Program その他のプログラムを実行 - + Run from Start Menu [スタート] メニューから実行 - - + + (Host) Start Menu - + Execute Autorun Entries Autorun (自動実行) エントリ - + Standard Applications 標準的なアプリケーション - + Default Web Browser - + Default eMail Client - + Windows Explorer Windows エクスプローラ - + Registry Editor レジストリエディタ - + Programs and Features - + Command Prompt コマンドプロンプト - + Command Prompt (as Admin) コマンドプロンプト (管理者) - + Command Prompt (32-bit) コマンドプロンプト (32-bit) - + Terminate All Programs すべてのプログラムを強制終了する - + Box Content ボックスの内容 - + Browse Files ファイルをブラウズ - - + + Refresh Info - - + + Explore Content - + Open Registry - - - - Snapshots Manager - - - - Mount Box Image + + Snapshots Manager - Unmount Box Image + Mount Box Image + + Unmount Box Image + + + + Recover Files ファイルをリカバリ - - + + Delete Content 内容を削除 - + Sandbox Options サンドボックスオプション - + Sandbox Presets サンドボックスプリセット - + Ask for UAC Elevation UAC 昇格を尋ねる - + Drop Admin Rights - + Emulate Admin Rights - + Block Internet Access - + Allow Network Shares - + Immediate Recovery 直接リカバリ - + Disable Force Rules - - + + Sandbox Tools サンドボックスツール - + Duplicate Box Config ボックス構成を複製 - + Export Box - - + + Rename Sandbox サンドボックスの名前を変更 - - + + Move Sandbox サンドボックスを移動 - - + + Move Up 上に移動 - - + + Move Down 下に移動 - - + + Remove Sandbox サンドボックスを削除 - - + + Terminate - + Preset - + Block and Terminate - + Allow internet access - + Force into this sandbox - + Set Linger Process - + Set Leader Process - + Suspend - + Resume - + Run Web Browser Web ブラウザを実行 - + Run eMail Reader 電子メール プログラムを実行 - + Run Any Program その他のプログラムを実行 - + Run From Start Menu [スタート] メニューから実行 - + Run Windows Explorer - + Terminate Programs - + Quick Recover - + Sandbox Settings - + Browse Content - + Duplicate Sandbox Config - + Export Sandbox - + Rename Group グループの名前を変更 - + Move Group グループを移動 - + Remove Group グループを削除 - + File root: %1 - + Registry root: %1 - + IPC root: %1 - + Disk root: %1 - + Options: - + [None] - + Please enter a new name for the Group. - + Do you really want to remove the selected group(s)? 選択したグループを削除します。本当によろしいですか? - + Move entries by (negative values move up, positive values move down): - + A group can not be its own parent. - - + + Select file name - - - 7-zip Archive (*.7z) - - - - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - - This name is already in use, please select an alternative box name - - - - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 - + Please enter a new group name - + The Sandbox name and Box Group name cannot use the ',()' symbol. - + This name is already used for a Box Group. - + This name is already used for a Sandbox. - - - + + + Don't show this message again. - - - + + + This Sandbox is empty. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. - + Don't show this warning in future - + Please enter a new name for the duplicated Sandbox. - + %1 Copy - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + + Exporting: %1 - + Please enter a new name for the Sandbox. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! 選択したサンドボックスを削除します。本当によろしいですか?<br /><br />警告:ボックスの内容物も一緒に削除されます! - + This Sandbox is already empty. - - + + Do you want to delete the content of the selected sandbox? 選択したサンドボックスの全ての内容を削除してもよろしいですか? - - + + Also delete all Snapshots - + Do you really want to delete the content of all selected sandboxes? 選択したサンドボックスの全ての内容を削除します。本当によろしいですか? - + Do you want to terminate all processes in the selected sandbox(es)? 選択したサンドボックス内の全てのプロセスを強制終了します。よろしいですか? - - + + Terminate without asking 確認なしで強制終了する - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. - - + + Create Shortcut to sandbox %1 - + Do you want to terminate %1? - + the selected processes - + This box does not have Internet restrictions in place, do you want to enable them? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? @@ -5190,580 +5245,580 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSettingsWindow - + Sandboxed Web Browser - + Sandboxie Plus - Global Settings - + Auto Detection - + No Translation - - - - Don't integrate links - - - As sub group + Don't integrate links + As sub group + + + + + Fully integrate - + Don't show any icon - + Show Plus icon - + Show Classic icon - + All Boxes - + Active + Pinned - + Pinned Only - + Close to Tray - + Prompt before Close - + Close 閉じる - + None - + Native - + Qt - + Every Day - + Every Week - + Every 2 Weeks - + Every 30 days - - - Ignore - - - - Notify + Ignore - Download & Notify + Notify + Download & Notify + + + + + Download & Install - + %1 - + Browse for Program - + Add %1 Template - + HwId: %1 - + Select font - + Reset font - + Search for settings - + %0, %1 pt - + Please enter message - + Select Program - + Executables (*.exe *.cmd) - - + + Please enter a menu title - + Please enter a command - - - + + + Run &Sandboxed - + kilobytes (%1) - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. - + <br />Plus features are no longer enabled. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + Expires in: %1 days Expires: %1 Days ago - + Expired: %1 days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Contributor - + Eternal - + Business - + Personal - + Great Patreon - + Patreon - + Family - + Home - + Evaluation - + Type %1 - + Advanced - + Advanced (L) - + Max Level - + Level %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + Run &Un-Sandboxed - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. - + This certificate has unfortunately expired, you need to get a new certificate. - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Thank you for supporting the development of Sandboxie-Plus. - + Update Available - + Installed - + by %1 - + (info website) - + This Add-on is mandatory and can not be removed. - - + + Select Directory ディレクトリの選択 - + <a href="check">Check Now</a> - + Please enter the new configuration password. - + Please re-enter the new configuration password. - + Passwords did not match, please retry. - + Process - + Folder - + Please enter a program file name - + Please enter the template identifier - + Error: %1 - + Do you really want to delete the selected local template(s)? - + %1 (Current) @@ -6001,69 +6056,69 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. - + Save options as new defaults - + Skip this summary page when advanced options are not set - + This Sandbox will be saved to: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. - + This box will DISCARD its content when its closed, its suitable only for temporary data. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. - + Failed to create new box: %1 @@ -6683,33 +6738,68 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + + + + + Import without encryption @@ -6741,1408 +6831,1436 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for - + Sandboxed window border: - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. - + Show this box in the 'run in box' selection prompt - + Box info - + Box Type Preset: - + px Width - + General Configuration - + Appearance - + Double click action: - + File Options - + Disk/File access - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD - + Encrypt sandbox content - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + Box Delete options - + Allow elevated sandboxed applications to read the harddrive - + Partially checked means prevent box removal but not content deletion. - + Protect this sandbox from deletion or emptying - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Separate user folders - + Box Structure - + Store the sandbox content in a Ram Disk - + Warn when an application opens a harddrive handle - + Set Password - + Virtualization scheme - + The box structure can only be changed when the sandbox is empty - - + + File Migration - + Copy file size limit: - + Prompt user for large file migration - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only - + Issue message 2113/2114/2115 when a file is not fully migrated - + kilobytes - + Add Pattern - + Remove Pattern - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates - - - - + + + + Action - - - - - - - - - - + + + + + + + + + + Program - + Pattern - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. - + Using wildcard patterns file specific behavior can be configured in the list below: - + Issue message 2102 when a file is too large - + When a file cannot be migrated, open it in read-only mode instead - + Restrictions - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Open Windows Credentials Store (user mode) - + Block read access to the clipboard - + Prevent change to network and firewall parameters (user mode) - + Allow to read memory of unsandboxed processes (not recommended) - + Block access to the printer spooler - + Allow the print spooler to print to files outside the sandbox - + Block network files and folders, unless specifically opened. - + Remove spooler restriction, printers can be installed outside the sandbox - + Open System Protected Storage - + Issue message 2111 when a process access is denied - - - - - - + + + + + + + Protect the system from sandboxed processes - + Other restrictions - + Printing restrictions - + Network restrictions - + Run Menu - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove - + Add program - - - - - - - - - - - - - + + + + + + + + + + + + + Name 名前 - + Command Line - - + + Move Up 上に移動 - - + + Move Down 下に移動 - + You can configure custom entries for the sandbox run menu. - + Security Options - + Security Hardening - + Use the original token only for approved NT system calls - + Enable all security enhancements (make security hardened box) - + Elevation restrictions - + Make applications think they are running elevated (allows to run installers safely) - + (Recommended) - + Restrict driver/device access to only approved ones - + Security enhancements - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required - + Drop rights from Administrators and Power Users groups - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. - + Security Isolation - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. - + Disable Security Isolation - + Open access to Windows Security Account Manager - + Disable Security Filtering (not recommended) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. - + Open access to Windows Local Security Authority - - - - - - - + + + + + + + Protect the sandbox integrity itself - + Security Isolation & Filtering - + Access Isolation - + Allow sandboxed programs to manage Hardware/Devices - + The below options can be used safely when you don't grant admin rights. - - + + Box Protection - + Deny Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - - + + Process - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Allow Process - + Protect processes in this box from being accessed by specified unsandboxed host processes. - + Allow useful Windows processes access to protected processes - + Protect processes within this box from host processes - + Force protection on mount - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Advanced Security - + Use a Sandboxie login instead of an anonymous token - + Other isolation - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) - + Privilege isolation - + Protect sandboxed SYSTEM processes from unprivileged processes - + Sandboxie token - - + + (Security Critical) - + Drop critical privileges from processes running with a SYSTEM token - + Do not start sandboxed services using a system token (recommended) - + Allow only privileged processes to access the Service Control Manager - + Add sandboxed processes to job objects (recommended) - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. - + Program Groups - + Add Group - - - - - + + + + + Add Program プログラムを追加 - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. - + Program Control プログラム制御 - + Force Programs - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. - + Force Folder - - - - - - - + + + + + + + Type - + Force Program - + Disable forced Process and Folder for this sandbox - + Breakout Programs - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. - + Breakout Folder - + Breakout Program - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Isolation - + Only Administrator user accounts can make changes to this sandbox - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - - + + Stop Behaviour - + Lingering Programs - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. - + Leader Programs - + If leader processes are defined, all others are treated as lingering processes. - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + Start Restrictions - + Issue message 1308 when a program fails to start - + Allow only selected programs to start in this sandbox. * - + Prevent selected programs from starting in this sandbox. - + Allow all programs to start in this sandbox. - + + Allow sandboxed processes to open files protected by EFS + + + + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Job Object - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Drop ConHost.exe Process Integrity Level - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + * Note: Programs installed to this sandbox won't be able to start at all. - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Resource Access - + Files - - - - - - + + + + + + Access - - - + + + Path - + Add File/Folder - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + Registry - + Add Reg Key - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + IPC - + Add IPC Path - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. - + Wnd - + Add Wnd Class - + Wnd Class - + Don't alter window class names created by sandboxed programs - + Configure which processes can access Desktop objects like Windows and alike. - + COM - + Class Id - + Add COM Object - + Configure which processes can access COM objects. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) - + Access Policies - + Rule Policies - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. - + Prioritize rules based on their Specificity and Process Match Level - + Apply File and Key Open directives only to binaries located outside the sandbox. - + Access Mode - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. - + Privacy Mode, block file and registry access to all locations except the generic system ones - + Create a new sandboxed token instead of stripping down the original token - + Force Children - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. - + Network Options - + Process Restrictions - + Issue message 1307 when a program is denied internet access - + Prompt user whether to allow an exemption from the blockade. - + Note: Programs installed to this sandbox won't be able to access the internet at all. - + Set network/internet access for unlisted processes: - - + + Network Firewall - + Test Rules, Program: - + Port: - + IP: - + Protocol: - + X - + Add Rule - - + + Port - - - + + + IP - + Protocol - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Resolve hostnames via proxy - + Other Options - + Port Blocking - + Block common SAMBA ports - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + Block DNS, UDP port 53 - + File Recovery - + Quick Recovery - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. - + Add Folder フォルダを追加 - + Immediate Recovery 直接リカバリ - + You can exclude folders and file types (or file extensions) from Immediate Recovery. - + Ignore Extension - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. - + Ignore Folder - + Various Options - - + + Compatibility - + Apply ElevateCreateProcess Workaround (legacy behaviour) - + Emulate sandboxed window station for all processes - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) - + Force usage of custom dummy Manifest files (legacy behaviour) - + Use desktop object workaround for all processes - + Allow use of nested job objects (works on Windows 8 and later) - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Total Processes Memory Limit: - + Single Process Memory Limit: - + Bypass IPs - + Restart force process before they begin to execute - + Dlls && Extensions - + Image Protection - + Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8150,279 +8268,279 @@ This is done to prevent rogue processes inside the sandbox from creating a renam - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox - + Issue message 1305 when a program tries to load a sandboxed dll - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. - + Advanced Options - + Miscellaneous - + Add Option - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. - + Option - - + + Value - + Triggers - + On Box Terminate - + This command will be run before the box content will be deleted - - - - + + + + Run Command - + Event - - + + These commands are run UNBOXED just before the box content is deleted - + On File Recovery - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked - + Run File Checker - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. - + On Box Init - + Here you can specify actions to be executed automatically on various box events. - + These events are executed each time a box is started - + On Box Start - + Start Service - + On Delete Content - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + Add Process - + Don't allow sandboxed processes to see processes running in other boxes - + Hide host processes from processes running in the sandbox. - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + Users - + Restrict Resource Access monitor to administrators only - + Add User - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. - + Tracing - + API call Trace (traces all SBIE hooks) - + Key Trace - + DNS Request Logging - + GUI Trace - + Log Debug Output to the Trace Log - + Log all SetError's to Trace log (creates a lot of output) - + Access Tracing - + Syscall Trace (creates a lot of output) - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8434,164 +8552,164 @@ instead of "*". - + Resource Access Monitor - + COM Class Trace - + Pipe Trace - + File Trace - + Disable Resource Access Monitor - + IPC Trace - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Debug - + WARNING, these options can disable core security guarantees and break sandbox security!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. - + App Templates アプリテンプレート - + Templates - + This list contains a large amount of sandbox compatibility enhancing templates - + Text Filter - + Add Template - + Filter Categories - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + Category - + Open Template - + Template Folders - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. - + Accessibility - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. - + Edit ini Section ini 編集セクション - + Edit ini ini を編集 - + Cancel キャンセル - + Save 保存 @@ -8607,7 +8725,7 @@ Please note that this values are currently user specific and saved globally for ProgramsDelegate - + Group: %1 @@ -8615,7 +8733,7 @@ Please note that this values are currently user specific and saved globally for QObject - + Drive %1 @@ -8623,27 +8741,27 @@ Please note that this values are currently user specific and saved globally for QPlatformTheme - + OK - + Apply - + Cancel キャンセル - + &Yes - + &No @@ -8671,32 +8789,32 @@ Please note that this values are currently user specific and saved globally for 回復先: - + Refresh 更新 - + Recover 回復 - + Delete 削除 - + Close 閉じる - + Show All Files すべてのファイルを表示 - + TextLabel TextLabel @@ -8772,17 +8890,17 @@ Please note that this values are currently user specific and saved globally for UI Language: - + Show file recovery window when emptying sandboxes サンドボックスを空にしようとした時、リカバリウィンドウを表示 - + Count and display the disk space occupied by each sandbox 各サンドボックスが使用中のディスク容量を計算し表示 - + Open urls from this ui sandboxed @@ -8792,922 +8910,932 @@ Please note that this values are currently user specific and saved globally for SandMan 設定 - + Show the Recovery Window as Always on Top 「ファイル回復」ウィンドウを常に手前に表示 - + Recovery Options リカバリオプション - + Hotkey for bringing sandman to the top: サンドボックスマネージャを前面に持ってくるホットキー - + Hotkey for terminating all boxed processes: 全てのボックス化されたプロセスを強制終了するホットキー - + Run box operations asynchronously whenever possible (like content deletion) - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Notifications - + Add Entry - + Message ID - + Message Text (optional) - + SBIE Messages - + Delete Entry - + Notification Options - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - + This option also enables asynchronous operation when needed and suspends updates. - + Suppress pop-up notifications when in game / presentation mode - + Show file migration progress when copying large files into a sandbox - + Show recoverable files as notifications - + Shell Integration シェル統合 - + Windows Shell - + Add 'Run Un-Sandboxed' to the context menu [サンドボックス化しないで実行] を右クリックに追加 - + Start UI with Windows Windows の起動時 - + Integrate with Host Start Menu - + Scan shell folders and offer links in run menu - + Start Menu Integration - + Add 'Run Sandboxed' to the explorer context menu [サンドボックス化して実行] 操作を右クリックに追加 - + Start Sandbox Manager サンドボックスマネージャの起動 - + Run Sandboxed - Actions [サンドボックス化して実行] 操作 - + Always use DefaultBox 常に DefaultBox を使う - + Start UI when a sandboxed process is started サンドボックス化したプログラムの起動時 - + Terminate all boxed processes when Sandman exits - + Integrate with Host Desktop - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + System Tray - + Show boxes in tray list: - + Show Icon in Systray: - + Systray options - + Use Compact Box List - + Show a tray notification when automatic box operations are started - + On main window close: - + Open/Close from/to tray with a single click - + Minimize to tray - + Run Menu - - - - - + + + + + Name 名前 - + Command Line - + Add program - + Move Up 上に移動 - + Move Down 下に移動 - + You can configure custom entries for all sandboxes run menus. - - - + + + Remove - + Interface Config インターフェイス構成 - + User Interface ユーザーインターフェイス - + Use a Page Tree in the Box Options instead of Nested Tabs * - - + + Interface Options インターフェイス設定 - + Make Box Icons match the Border Color - + Show overlay icons for boxes and processes - + Use Fusion Theme - + Use large icons in box list * - + Don't show icons in menus * - + * a partially checked checkbox will leave the behavior to be determined by the view mode. - + Alternate row background in lists - + Use new config dialog layout * - + Use Dark Theme - + Show "Pizza" Background in box list * - + Hide Sandboxie's own processes from the task list - + Font Scaling - + Select font - + Reset font - + Graphic Options - + High DPI Scaling - + Ini Options - + % - + Ini Editor Font - + # - + (Restart required) - + External Ini Editor - + Hide SandMan windows from screen capture (UI restart required) - + Add-Ons Manager アドオン管理 - + Optional Add-Ons - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - + Status 状態 - + Version - + Description - + <a href="sbie://addons">update add-on list now</a> - + Install - + Add-On Configuration アドオン構成 - + Enable Ram Disk creation - + kilobytes - + Assign drive letter to Ram Disk - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Disk Image Support - + RAM Limit - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + Support && Updates サポートと更新 - + Sandboxie Support - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Enter the support certificate here - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) - + Get - + Retrieve/Upgrade/Renew certificate using Serial Number - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. - + SBIE_-_____-_____-_____-_____ - + In the future, don't notify about certificate expiration - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + Sandboxie Updater - + Keep add-on list up to date - + Update Settings - + Hotpatches for the installed version, updates to the Templates.ini and translations. - + Incremental Updates - + The preview channel contains the latest GitHub pre-releases. - + Search in the Preview channel - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. - + Search in the Insider channel - + New full installers from the selected release channel. - + Full Upgrades - + Check periodically for new Sandboxie-Plus versions - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> - + Keep Troubleshooting scripts up to date - + The stable channel contains the latest stable GitHub releases. - + Search in the Stable channel - + Update Check Interval - + Advanced Config 高度な構成 - + Sandboxie Config Sandboxie 構成 - + ... - + Sandbox default - + Portable root folder - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: - + Default sandbox: - + Use Windows Filtering Platform to restrict network access - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: - + Activate Kernel Mode Object Filtering - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: - + Sandboxing features - + Hook selected Win32k system calls to enable GPU acceleration (experimental) - + Use a Sandboxie login instead of an anonymous token - + Sandboxie.ini Presets Sandboxie.ini プリセット - + Change Password - + Password must be entered in order to make changes - + Config protection - + Only Administrator user accounts can make changes - + Watch Sandboxie.ini for changes - + Only Administrator user accounts can use Pause Forcing Programs command - + Clear password when main window becomes hidden - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Always run SandMan UI as Admin - + Program Control プログラム制御 - + Program Alerts プログラム アラート - + Path - + Add Program プログラムを追加 - + Issue message 1308 when a program fails to start - + Remove Program 削除 - + Issue message 1301 when forced processes has been disabled - + Prevent the listed programs from starting on this system - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. サンドボックスの外で以下のプログラムが実行された時、Sandboxie はメッセージ SBIE 1301 を発行します。 - + Add Folder フォルダを追加 - + USB Drive Sandboxing - + Volume - + Information - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + App Templates アプリテンプレート - + App Compatibility アプリケーション互換性 - + In the future, don't check software compatibility - + Enable - + Disable - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. - + Local Templates - + Add Template - + Text Filter - + This list contains user created custom templates for sandbox options - + Open Template - + Edit ini Section ini 編集セクション - + Save 保存 - + Edit ini ini を編集 - + Cancel キャンセル @@ -9730,37 +9858,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + When deleting a snapshot content, it will be returned to this snapshot instead of none. - + Default snapshot - + Description: - + Snapshot Actions - + Take Snapshot - + Remove Snapshot - + Go to Snapshot diff --git a/SandboxiePlus/SandMan/sandman_ko.ts b/SandboxiePlus/SandMan/sandman_ko.ts index 37151256..3c56a3b5 100644 --- a/SandboxiePlus/SandMan/sandman_ko.ts +++ b/SandboxiePlus/SandMan/sandman_ko.ts @@ -9,53 +9,53 @@ 다음에서 - + kilobytes 킬로바이트 - + Protect Box Root from access by unsandboxed processes 샌드박스 해제 프로세스에 의한 액세스로부터 박스 루트 보호 - - + + TextLabel 텍스트 레이블 - + Show Password 암호 표시 - + Enter Password 암호 입력 - + New Password 새 암호 - + Repeat Password 암호 반복 - + Disk Image Size 디스크 이미지 크기 - + Encryption Cipher 암호화 암호 - + Lock the box when all processes stop. 모든 프로세스가 중지되면 박스를 잠급니다. @@ -63,55 +63,55 @@ CAddonManager - + Do you want to download and install %1? %1을(를) 다운로드하여 설치하시겠습니까? - + Installing: %1 설치 중: %1 - + Add-on not found, please try updating the add-on list in the global settings! 추가 기능을 찾을 수 없습니다. 전역 설정에서 추가 기능 목록을 업데이트하세요! - + Add-on Not Found 추가 기능을 찾을 수 없음 - + Add-on is not available for this platform Addon is not available for this paltform 이 플랫폼에 추가 기능을 사용할 수 없습니다 - + Missing installation instructions Missing instalation instructions 설치 지침 누락 - + Executing add-on setup failed 추가 기능 설정 실행 실패 - + Failed to delete a file during add-on removal 추가 기능을 제거하는 동안 파일을 삭제하지 못했습니다 - + Updater failed to perform add-on operation Updater failed to perform plugin operation 업데이트 프로그램이 플러그인 작업을 수행하지 못했습니다 - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 업데이트 프로그램에서 플러그인 작업을 수행하지 못했습니다. 오류: %1 @@ -160,17 +160,17 @@ 추가 기능 설치 실패! - + Do you want to remove %1? %1을(를) 제거하시겠습니까? - + Removing: %1 제거 중: %1 - + Add-on not found! 추가 기능을 찾을 수 없습니다! @@ -191,12 +191,12 @@ CAdvancedPage - + Advanced Sandbox options 고급 샌드박스 옵션 - + On this page advanced sandbox options can be configured. 이 페이지에서 고급 샌드박스 옵션을 구성할 수 있습니다. @@ -247,13 +247,13 @@ 익명 토큰 대신 샌드박스 로그인 사용 - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox 호스트의 샌드박스된 프로그램이 샌드박스된 DLL을 로드하지 못하도록 방지 - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. 이 기능은 박스에 위치한 프로세스가 한 번 위치한 호스트에 기록되고 심지어 시작되는 것을 방지하기 때문에 호환성을 줄일 수 있습니다. @@ -263,22 +263,22 @@ 샌드박스 창이 캡처되지 않도록 합니다. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. 이 기능은 일반 스크린샷도 방지하기 때문에 사용자 환경의 저하를 유발할 수 있습니다. - + Shared Template 공유 템플릿 - + Shared template mode 공유 템플릿 모드 - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -289,52 +289,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< 샌드박스에 대해 이 템플릿을 비활성화하려면 템플릿 목록에서 이 템플릿의 선택을 취소하기만 하면 됩니다. - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. 이 옵션은 박스 구성에 설정을 추가하지 않으며 템플릿 내의 제거 설정에 따라 기본 박스 설정을 제거하지 않습니다. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. 이 옵션은 공유 템플릿을 로컬 템플릿으로 박스 구성에 추가하고 템플릿 내의 제거 설정에 따라 기본 박스 설정을 제거할 수도 있습니다. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. 이 옵션은 공유 템플릿의 설정을 박스 구성에 추가하고 템플릿 내의 제거 설정에 따라 기본 박스 설정을 제거할 수도 있습니다. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. 이 옵션은 박스 구성에 설정을 추가하지 않지만 템플릿 내의 제거 설정에 따라 기본 박스 설정을 제거할 수 있습니다. - + Remove defaults if set 설정된 경우 기본값 제거 - + + Shared template selection + 공유 템플릿 선택 + + + + This option specifies the template to be used in shared template mode. (%1) + 이 옵션은 공유 템플릿 모드에서 사용할 템플릿을 지정합니다. (%1) + + + Disabled 사용 안 함 - + Advanced Options 고급 옵션 - + Prevent sandboxed windows from being captured 샌드박스 창 캡처 방지 - + Use as a template 템플릿으로 사용 - + Append to the configuration 구성에 추가 @@ -465,17 +475,17 @@ To disable this template for a sandbox, simply uncheck it in the template list.< 압축파일 가져오기를 위한 암호화 암호 입력: - + kilobytes (%1) 킬로바이트 (%1) - + Passwords don't match!!! 암호가 일치하지 않습니다!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -484,7 +494,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are 20자 이상으로 구성된 암호를 선택하는 것이 좋습니다. 짧은 암호를 사용하시겠습니까? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -493,7 +503,7 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a Leet (L337) 말하기 수정을 적용하면 512비트로 증가하며, 완전히 무작위로 인쇄 가능한 ASCII 문자로 구성하면 768비트를 초과합니다. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. 박스 디스크 이미지의 크기는 256MB 이상이어야 합니다. 2GB가 권장됩니다. @@ -509,22 +519,22 @@ Leet (L337) 말하기 수정을 적용하면 512비트로 증가하며, 완전 CBoxTypePage - + Create new Sandbox 새 샌드박스 만들기 - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. 샌드박스는 호스트 시스템을 박스 내에서 실행되는 프로세스로부터 격리시켜 호스트 시스템이 컴퓨터의 다른 프로그램 및 데이터를 영구적으로 변경할 수 없도록 합니다. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. 샌드박스는 사용자의 호스트 시스템을 박스 내에서 실행 중인 프로세스에서 분리하여 사용자의 컴퓨터에 있는 다른 프로그램 및 데이터를 영구적으로 변경하지 못하도록 합니다. 격리 수준은 응용프로그램과의 호환성뿐만 아니라 보안에도 영향을 미치므로 선택한 박스 유형에 따라 격리 수준이 달라집니다. Sandboxie는 또한 Sandboxie의 감독 하에 실행되는 프로세스에 의해 개인 데이터가 액세스되는 것을 방지할 수 있습니다. - + Enter box name: 박스 이름 입력: @@ -533,18 +543,18 @@ Leet (L337) 말하기 수정을 적용하면 512비트로 증가하며, 완전 새 박스 - + Select box type: Sellect box type: 박스 유형 선택: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/privacy-mode">데이터 보호</a>가 있는 <a href="sbie://docs/security-mode">보안 강화</a> 샌드박스 - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -553,59 +563,59 @@ The entire user profile remains hidden, ensuring maximum security. 전체 사용자 프로파일은 숨김 상태를 유지하여 최대한의 보안을 보장합니다. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox <a href="sbie://docs/security-mode">보안 강화</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. 이 박스 유형은 샌드박스 프로세스에 노출되는 공격 표면을 크게 줄여 최고 수준의 보호를 제공합니다. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/privacy-mode">데이터 보호</a>가 있는 샌드박스 - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. 이 박스 유형에서는 샌드박스 프로세스가 개인 사용자 파일이나 데이터에 액세스하지 못하도록 합니다. 사용자 데이터를 보호하는 데 중점을 두고 있습니다, C:\Windows 및 C:\Program Files 디렉터리만 이 샌드박스 내에서 실행되는 프로세스에 액세스할 수 있습니다. 그러면 개인 파일이 안전하게 유지됩니다. - + Standard Sandbox 표준 샌드박스 - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. 이 박스 유형은 Sandboxie 클래식의 기본 동작을 제공합니다. 친숙하고 신뢰할 수 있는 샌드박스 방식을 사용자에게 제공합니다. 응용 프로그램은 이 샌드박스 내에서 실행되어 제어되고 격리된 공간에서 작동할 수 있습니다. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/privacy-mode">데이터 보호</a>가 있는 <a href="sbie://docs/compartment-mode">응용 프로그램 구획</a> 박스 - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. 이 박스 유형은 분리 수준을 양호하게 유지하면서 호환성을 우선시합니다. 이 박스 유형은 개별 구획에서 신뢰할 수 있는 응용 프로그램을 실행하도록 설계되었습니다. 다른 박스 유형에 비해 격리 수준은 감소하지만 광범위한 응용 프로그램과의 호환성이 향상되어 샌드박스 환경 내에서 원활한 작동을 보장합니다. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">응용 프로그램 구획</a> 박스 - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> 박스 내용 <a href="sbie://docs/boxencryption">암호화</a> 및 <a href="sbie://docs/black-box">기밀</a>설정 @@ -614,7 +624,7 @@ While the level of isolation is reduced compared to other box types, it offers i <a href="sbie://docs/boxencryption">암호화된</a> <a href="sbie://docs/black-box">기밀 </a> 박스 - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -623,42 +633,42 @@ This ensures the utmost level of privacy and data protection within the confiden 이를 통해 기밀 샌드박스 환경 내에서 최고 수준의 개인 정보 보호 및 데이터 보호를 보장할 수 있습니다. - + Hardened Sandbox with Data Protection 데이터 보호 기능을 갖춘 강화된 샌드박스 - + Security Hardened Sandbox 보안 강화된 샌드박스 - + Sandbox with Data Protection 데이터 보호 기능이 있는 샌드박스 - + Standard Isolation Sandbox (Default) 표준 분리 샌드박스 (기본값) - + Application Compartment with Data Protection 데이터 보호 기능이 있는 응용 프로그램 구획 - + Application Compartment Box 응용 프로그램 구획 박스 - + Confidential Encrypted Box 기밀 암호화 박스 - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? 암호화된 박스를 사용하려면 ImDisk 드라이버를 설치해야 합니다. 다운로드하여 설치하시겠습니까? @@ -668,17 +678,17 @@ This ensures the utmost level of privacy and data protection within the confiden 응용 프로그램 구획 (격리 없음) - + Remove after use 사용 후 제거 - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. 박스의 마지막 프로세스가 종료되면 박스의 모든 데이터가 삭제되고 박스 자체가 제거됩니다. - + Configure advanced options 고급 옵션 구성 @@ -973,36 +983,64 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox 내보내기 - + + 7-Zip + 7-Zip + + + + Zip + Zip + + + Store 스토어 - + Fastest 가장 빠른 - + Fast 빠른 - + Normal 일반 - + Maximum 최대 - + Ultra 울트라 + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + 디렉터리 선택 + + + + This name is already in use, please select an alternative box name + 이 이름은 이미 사용 중입니다. 다른 박스 이름을 선택하세요 + + CFileBrowserWindow @@ -1052,13 +1090,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure 샌드박스 위치 및 동작 - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -1067,64 +1105,64 @@ You can use %USER% to save each users sandbox to an own fodler. %USER%를 사용하여 각 사용자 샌드박스를 자신의 폴더에 저장할 수 있습니다. - + Sandboxed Files 샌드박스 파일 - + Select Directory 디렉터리 선택 - + Virtualization scheme 가상화 구성표 - + Version 1 버전 1 - + Version 2 버전 2 - + Separate user folders 개별 사용자 폴더 - + Use volume serial numbers for drives 드라이브에 볼륨 일련 번호 사용 - + Auto delete content when last process terminates 마지막 프로세스가 종료될 때 내용 자동 삭제 - + Enable Immediate Recovery of files from recovery locations 복구 위치에서 파일 즉시 복구 사용 - + The selected box location is not a valid path. The sellected box location is not a valid path. 선택한 박스 위치가 올바른 경로가 아닙니다. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? 선택한 박스 위치가 존재하며 비어 있지 않습니다. 새 폴더나 빈 폴더를 선택하는 것이 좋습니다. 기존 폴더를 사용하시겠습니까? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. 선택한 박스 위치가 현재 사용 가능한 드라이브에 있지 않습니다. @@ -1264,83 +1302,83 @@ You can use %USER% to save each users sandbox to an own fodler. CIsolationPage - + Sandbox Isolation options 샌드박스 격리 옵션 - + On this page sandbox isolation options can be configured. 이 페이지에서 샌드박스 분리 옵션을 구성할 수 있습니다. - + Network Access 네트워크 액세스 - + Allow network/internet access 네트워크/인터넷 액세스 허용 - + Block network/internet by denying access to Network devices 네트워크 장치에 대한 액세스를 거부하여 네트워크/인터넷 차단 - + Block network/internet using Windows Filtering Platform Windows 필터링 플랫폼을 사용하여 네트워크/인터넷 차단 - + Allow access to network files and folders 네트워크 파일 및 폴더에 대한 액세스 허용 - - + + This option is not recommended for Hardened boxes 강화 박스에는 이 옵션을 사용하지 않는 것이 좋습니다 - + Prompt user whether to allow an exemption from the blockade 사용자에게 차단 면제 허용 여부 확인 - + Admin Options 관리자 옵션 - + Drop rights from Administrators and Power Users groups 관리자 및 Power Users 그룹에서 권한 삭제 - + Make applications think they are running elevated 응용 프로그램이 권한 상승으로 실행되고 있다고 생각하게 합니다 - + Allow MSIServer to run with a sandboxed system token MSI 서버가 샌드박스 시스템 토큰으로 실행되도록 허용 - + Box Options 박스 옵션 - + Use a Sandboxie login instead of an anonymous token 익명 토큰 대신 샌드박스 로그인 사용 - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. 사용자 지정 Sandboxie 토큰을 사용하면 개별 샌드박스를 서로 더 잘 격리할 수 있으며 작업 관리자의 사용자 열에 프로세스가 속한 박스의 이름이 표시됩니다. 그러나 일부 타사 보안 솔루션은 사용자 지정 토큰에 문제가 있을 수 있습니다. @@ -1446,24 +1484,25 @@ You can use %USER% to save each users sandbox to an own fodler. 이 샌드박스 콘텐츠는 암호화된 컨테이너 파일에 저장됩니다. 컨테이너 헤더가 손상되면 모든 콘텐츠에 영구적으로 액세스할 수 없게 됩니다. 손상은 BSOD, 저장소 하드웨어 오류 또는 악성 프로그램이 임의의 파일을 덮어쓸 때 발생할 수 있습니다. 이 기능은 <b>백업 절대 불가</b>정책에 따라 제공되며, 암호화된 박스에 넣은 데이터에 대한 책임은 사용자에게 있습니다. <br /><br />데이터에 대한 모든 책임에 동의한 경우 [예], 그렇지 않으면 [아니오]를 누르세요. - + Add your settings after this line. 이 행 뒤에 설정을 추가합니다. - + + Shared Template 공유 템플릿 - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">새 가상화 구성표 버전 2</a>를 사용하여 새 샌드박스가 생성되었습니다. 이 박스에서 예기치 않은 문제가 발생하면 가상화 구성표를 버전 1로 전환하고 문제를 보고하세요. 이 사전 설정을 변경하는 옵션은 박스 구조 그룹의 박스 옵션에서 찾을 수 있습니다. - + Don't show this message again. 이 메시지를 다시 표시하지 않습니다. @@ -1479,7 +1518,7 @@ You can use %USER% to save each users sandbox to an own fodler. COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1488,38 +1527,38 @@ Do you still want to update? 업데이트를 계속하시겠습니까? - + Do you want to check if there is a new version of Sandboxie-Plus? 새 버전의 Sandboxie-Plus가 있는지 확인하시겠습니까? - + Don't show this message again. 이 메시지를 다시 표시하지 않습니다. - + Checking for updates... 업데이트를 확인하는 중... - + server not reachable 서버에 연결할 수 없음 - - + + Failed to check for updates, error: %1 업데이트를 확인하지 못했습니다. 오류: %1 - + <p>Do you want to download the installer?</p> <p>설치 프로그램을 다운로드하시겠습니까?</p> - + <p>Do you want to download the updates?</p> <p>업데이트를 다운로드하시겠습니까?</p> @@ -1528,70 +1567,70 @@ Do you still want to update? <p><a href="%1">업데이트 페이지</a>로 이동하시겠습니까??</p> - + Don't show this update anymore. 이 업데이트를 더 이상 표시하지 않습니다. - + Downloading updates... 업데이트 다운로드 중... - + invalid parameter 잘못된 매개변수 - + failed to download updated information failed to download update informations 업데이트 정보를 다운로드하지 못했습니다 - + failed to load updated json file failed to load update json file 업데이트 json 파일을 불러오지 못했습니다 - + failed to download a particular file 특정 파일을 다운로드하지 못했습니다 - + failed to scan existing installation 기존 설치를 검색하지 못했습니다 - + updated signature is invalid !!! update signature is invalid !!! 업데이트 서명이 잘못되었습니다 !!! - + downloaded file is corrupted 다운로드한 파일이 손상되었습니다 - + internal error 내부 오류 - + unknown error 알 수 없는 오류 - + Failed to download updates from server, error %1 서버에서 업데이트를 다운로드하지 못했습니다, 오류 %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Sandboxie-Plus에 대한 업데이트가 다운로드되었습니다.</p><p>이 업데이트를 적용하시겠습니까? 샌드박스로 실행 중인 프로그램이 있으면 프로그램이 종료됩니다.</p> @@ -1600,7 +1639,7 @@ Do you still want to update? 파일 다운로드 실패 위치: %1 - + Downloading installer... 설치 프로그램을 다운로드하는 중... @@ -1609,17 +1648,17 @@ Do you still want to update? 설치 관리자를 다운로드하지 못했습니다: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>새 Sandboxie-Plus 설치 관리자가 다음 위치에 다운로드되었습니다:</p><p><a href="%2">%1</a></p><p>설치를 시작하시겠습니까? 샌드박스로 실행 중인 프로그램이 있으면 종료됩니다.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p> <a href="%1">정보 페이지로 이동하시겠습니까</a>?</p> - + Don't show this announcement in the future. 앞으로 이 공지사항을 표시하지 않습니다. @@ -1628,7 +1667,7 @@ Do you still want to update? <p>사용할 수 있는 새로운 버전의 Sandboxie-Plus가 있습니다.<br /><font color='red'>새 버전:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>사용할 수 있는 새로운 버전의 Sandboxie-Plus가 있습니다.<br /><font color='red'><b>새 버전:</b></font> <b>%1</b></p> @@ -1637,7 +1676,7 @@ Do you still want to update? <p>최신 버전을 다운로드하시겠습니까?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p> <a href="%1">다운로드 페이지로 이동하시겠습니까</a>?</p> @@ -1646,7 +1685,7 @@ Do you still want to update? 이 메시지를 더 이상 표시하지 않습니다. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1682,9 +1721,9 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - - + + Browse for File 파일 찾아보기 @@ -1828,21 +1867,21 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory 디렉터리 선택 - + - - - - + + + + @@ -1852,12 +1891,12 @@ Note: The update check is often behind the latest GitHub release to ensure that 모든 프로그램 - - + + - - + + @@ -1891,8 +1930,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1905,141 +1944,141 @@ Note: The update check is often behind the latest GitHub release to ensure that 템플릿 값은 제거할 수 없습니다. - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. 선택한 프로세스에 대해 win32 후크를 사용할 수 있습니다. 참고: 먼저 win32k syscall 훅 지원을 전체적으로 활성화해야 합니다. - + Enable crash dump creation in the sandbox folder 샌드박스 폴더에서 충돌 덤프 생성 실행 - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. 프로그램 호환성 관리자에서 적용되는 ElevateCreateProcess 수정을 항상 사용하세요. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes 일부 가장자리 수정에 필요한 경우 일관성이 없는 특수 PreferExternalManifest 동작 사용 - + Set RpcMgmtSetComTimeout usage for specific processes 특정 프로세스에 대한 RpcMgmtSetComTimeout 사용량 설정 - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. 복사되지 않을 파일에 대한 쓰기 열기 호출이 읽기 전용으로 전환되지 않도록 합니다. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. 지정된 프로세스가 관리자 권한을 가지고 있다고 생각하도록 합니다. - + Force specified processes to wait for a debugger to attach. 지정된 프로세스가 디버거가 연결될 때까지 대기하도록 합니다. - + Sandbox file system root 샌드박스 파일 시스템 루트 - + Sandbox registry root 샌드박스 레지스트리 루트 - + Sandbox ipc root 샌드박스 ipc 루트 - - + + bytes (unlimited) 바이트 (무제한) - - + + bytes (%1) 바이트 (%1) - + unlimited 무제한 - + Add special option: 특수 옵션 추가: - - + + On Start 시작 시 - - - - - + + + + + Run Command 명령 실행 - + Start Service 서비스 시작 - + On Init 초기화 시 - + On File Recovery 파일 복구 시 - + On Delete Content 콘텐츠 삭제 시 - + On Terminate 종료 시 - + Please enter a program file name to allow access to this sandbox 이 샌드박스에 액세스를 허용하려면 프로그램 파일 이름을 입력하세요 - + Please enter a program file name to deny access to this sandbox 이 샌드박스에 액세스를 거부하려면 프로그램 파일 이름을 입력하세요 - + Failed to retrieve firmware table information. 펌웨어 테이블 정보를 검색하지 못했습니다. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. 호스트 레지스트리에 성공적으로 저장된 펌웨어 테이블: HKEY_CURRENT_USER\System\SbieCustom<br />박스마다 다른 값을 가지도록 샌드박스된 레지스트리에 복사할 수 있습니다. @@ -2048,11 +2087,11 @@ Note: The update check is often behind the latest GitHub release to ensure that 삭제 시 - - - - - + + + + + Please enter the command line to be executed 실행할 명령줄을 입력하세요 @@ -2061,48 +2100,74 @@ Note: The update check is often behind the latest GitHub release to ensure that 프로그램 파일 이름을 입력하세요 - + Deny 거부 - + %1 (%2) %1 (%2) - - + + Process 처리 - - + + Folder 폴더 - + Children 하위 - - - + + Document + 문서 + + + + + Select Executable File 실행 파일 선택 - - - + + + Executable Files (*.exe) 실행 파일 (*.exe) - + + Select Document Directory + 문서 디렉터리 선택 + + + + Please enter Document File Extension. + 문서 파일 확장자를 입력하세요. + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + 보안상의 이유로 완전히 와일드카드 BreakoutDocument 사전 설정을 만들 수 없었습니다. + + + + For security reasons the specified extension %1 should not be broken out. + 보안상의 이유로 지정된 확장자 %1을(를) 분리해서는 안 됩니다. + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? 지정한 폴더를 강제로 사용하면 Windows가 끊어질 가능성이 높습니다. 계속하시겠습니까? @@ -2187,156 +2252,156 @@ Note: The update check is often behind the latest GitHub release to ensure that 응용 프로그램 구획 - + Custom icon 사용자 지정 아이콘 - + Version 1 버전 1 - + Version 2 버전 2 - + Browse for Program 프로그램 찾아보기 - + Open Box Options 박스 열기 옵션 - + Browse Content 내용 찾아보기 - + Start File Recovery 파일 복구 시작 - + Show Run Dialog 실행 대화 상자 표시 - + Indeterminate 불확실한 - + Backup Image Header 이미지 헤더 백업 - + Restore Image Header 이미지 헤더 복원 - + Change Password 암호 변경 - - + + Always copy 항상 복사 - - + + Don't copy 복사 안 함 - - + + Copy empty 빈 복사 - + kilobytes (%1) 킬로바이트 (%1) - + Select color 색상 선택 - + Select Program 프로그램 선택 - + The image file does not exist 이미지 파일이 없습니다 - + The password is wrong 암호가 잘못되었습니다 - + Unexpected error: %1 예기치 않은 오류: %1 - + Image Password Changed 이미지 암호 변경됨 - + Backup Image Header for %1 %1에 대한 이미지 헤더 백업 - + Image Header Backuped 이미지 헤더 백업됨 - + Restore Image Header for %1 %1에 대한 이미지 헤더 복원 - + Image Header Restored 이미지 헤더 복원됨 - + Please enter a service identifier 서비스 식별자를 입력하세요 - + Executables (*.exe *.cmd) 실행 파일 (*.exe *.cmd) - - + + Please enter a menu title 메뉴 제목을 입력하세요 - + Please enter a command 명령을 입력하세요 @@ -2415,7 +2480,7 @@ Note: The update check is often behind the latest GitHub release to ensure that 엔트리: IP 또는 포트는 비워 둘 수 없습니다 - + Allow @@ -2552,62 +2617,62 @@ Please select a folder which contains this file. 선택한 로컬 템플릿을 삭제하시겠습니까? - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' 옵션 - + File Options 파일 옵션 - + Grouping 그룹 - + Add %1 Template %1 템플릿 추가 - + Search for options 옵션 검색 - + Box: %1 박스: %1 - + Template: %1 템플릿: %1 - + Global: %1 전역: %1 - + Default: %1 기본값: %1 - + This sandbox has been deleted hence configuration can not be saved. 이 샌드박스가 삭제되어 구성을 저장할 수 없습니다. - + Some changes haven't been saved yet, do you really want to close this options window? 일부 변경 사항이 아직 저장되지 않았습니다. 이 옵션 창을 닫으시겠습니까? - + Enter program: 프로그램 입력: @@ -2666,12 +2731,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss 해제 - + Remove this progress indicator from the list 목록에서 이 진행률 표시기 제거 @@ -2679,42 +2744,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process 이 과정을 기억 - + Yes - + No 아니오 - + Terminate 종료 - + Yes and add to allowed programs 예, 허용된 프로그램에 추가 - + Requesting process terminated 요청 프로세스가 종료되었습니다 - + Request will time out in %1 sec 요청이 %1초 후에 시간 초과됩니다 - + Request timed out 요청이 시간 초과되었습니다 @@ -2722,67 +2787,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: 복구 대상: - + Browse 찾아보기 - + Clear folder list 폴더 목록 지우기 - + Recover 복구 - + Recover the file to original location 파일을 원래 위치로 복구 - + Recover && Explore 복구 및 탐색 - + Recover && Open/Run 복구 및 열기/실행 - + Open file recovery for this box 이 박스에 대한 파일 복구 열기 - + Dismiss 해제 - + Don't recover this file right now 이 파일을 지금 복구하지 않음 - + Dismiss all from this box 이 박스에서 모두 삭제 - + Disable quick recovery until the box restarts 박스를 다시 시작할 때까지 빠른 복구 사용 안 함 - + Select Directory 디렉터리 선택 @@ -2922,37 +2987,42 @@ Full path: %4 - + Select Directory 디렉터리 선택 - + + No Files selected! + 선택한 파일이 없습니다! + + + Do you really want to delete %1 selected files? %1개의 선택한 파일을 삭제하시겠습니까? - + Close until all programs stop in this box 이 박스에서 모든 프로그램을 중지할 때까지 닫기 - + Close and Disable Immediate Recovery for this box 이 박스를 닫고 즉시 복구 사용 안 함 - + There are %1 new files available to recover. 복구할 수 있는 새 파일 %1개가 있습니다. - + Recovering File(s)... 파일 복구 중... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. 샌드박스에는 %3의 디스크 공간을 차지하는 %1개의 파일과 %2개의 폴더가 있습니다. @@ -3111,22 +3181,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 폴더 대기 중: %1 - + Deleting folder: %1 폴더 삭제 중: %1 - + Merging folders: %1 &gt;&gt; %2 폴더 병합: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... 스냅샷 병합을 완료하는 중... @@ -3134,37 +3204,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled 사용 안 함 - + OPEN Root Access 루트 액세스 열기 - + Application Compartment 응용 프로그램 구획 - + NOT SECURE 안전하지 않음 - + Reduced Isolation 격리 감소 - + Enhanced Isolation 격리 강화 - + Privacy Enhanced 개인 정보 강화 @@ -3173,32 +3243,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, API 로그 - + No INet (with Exceptions) INET 없음 (예외 포함) - + No INet INet 없음 - + Net Share Net 공유 - + No Admin 관리자 없음 - + Auto Delete 자동 삭제 - + Normal 일반 @@ -3212,22 +3282,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie-Plus v%1 - + Reset Columns 열 재설정 - + Copy Cell 셀 복사 - + Copy Row 행 복사 - + Copy Panel 패널 복사 @@ -3503,7 +3573,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus Sandboxie-Plus 정보 @@ -3590,9 +3660,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. 이 메시지를 다시 표시하지 않습니다. @@ -3696,50 +3766,50 @@ Sandboxie에 대한 업데이트가 있는지 확인 부탁드립니다.Windows 빌드 %1이 현재 알려진 Sandboxie 버전의 지원 기능을 초과합니다. Sandboxie는 시스템 불안정을 유발할 수 있는 마지막으로 알려진 오프셋을 사용하려고 합니다. - + The selected feature requires an <b>advanced</b> supporter certificate. 선택한 기능에는 <b>고급</b> 후원자 인증서가 필요합니다. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />이 기능을 잠금 해제하려면 Great Patreon 레벨 이상이어야 합니다. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> 선택한 기능 세트는 프로젝트 후원자만 사용할 수 있습니다.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">프로젝트 후원자 되기</a>, 및 <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">후원자 인증서 받기</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! 사용하려는 인증서가 차단되었습니다. 이는 해당 인증서가 원인으로 인해 무효화되었음을 의미합니다. 이 인증서를 사용하려는 시도는 사용 약관 위반에 해당합니다! - - + + Don't ask in future 앞으로 묻지 않기 - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? 암호화된 샌드박스의 모든 프로세스를 종료하고 마운트 해제하시겠습니까? - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - 오류 - + Failed to stop all Sandboxie components 모든 Sandboxie 구성 요소를 중지하지 못했습니다 - + Failed to start required Sandboxie components 필수 Sandboxie 구성 요소를 시작하지 못했습니다 @@ -3829,7 +3899,7 @@ No will choose: %2 %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> 선택한 기능 세트는 프로젝트 후원자만 사용할 수 있습니다. 후원자 인증서 없이 이 기능 세트가 활성화된 박스에서 시작된 프로세스는 5분 후에 종료됩니다.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">프로젝트 후원자가 되어</a>, <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">후원 인증서</a>를 받습니다 @@ -3889,22 +3959,22 @@ No will choose: %2 - + Only Administrators can change the config. 관리자만 구성을 변경할 수 있습니다. - + Please enter the configuration password. 구성 암호를 입력하세요. - + Login Failed: %1 로그인 실패: %1 - + Do you want to terminate all processes in all sandboxes? 모든 sandboxes의 모든 프로세스를 종료하시겠습니까? @@ -3913,107 +3983,107 @@ No will choose: %2 묻지 않고 모두 종료 - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus는 휴대용 모드로 시작되었으며 필요한 서비스를 만들어야 합니다. 관리 권한을 묻는 메시지가 나타납니다. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. 주의: 다른 에이전트 (아마도 SbieCtrl.exe)가 이미 이 Sandboxie 세션을 관리하고 있습니다. 먼저 이 세션을 닫은 후 다시 연결하여 작업을 수행하세요. - + Executing maintenance operation, please wait... 유지 보수 작업을 실행하는 중입니다. 잠시 기다려 주세요... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? 숨겨진 메시지 박스 (예)를 재설정하시겠습니까, 아니면 모든 로그 메시지 (아니오)만 재설정하시겠습니까? - + The changes will be applied automatically whenever the file gets saved. 파일이 저장될 때마다 변경 내용이 자동으로 적용됩니다. - + The changes will be applied automatically as soon as the editor is closed. 편집기가 닫히는 즉시 변경 내용이 자동으로 적용됩니다. - + Error Status: 0x%1 (%2) 오류 상태: 0x%1(%2) - + Unknown 알 수 없음 - + A sandbox must be emptied before it can be deleted. 샌드박스를 삭제하려면 먼저 비워야 합니다. - + Failed to copy box data files 박스 데이터 파일을 복사하지 못했습니다 - + Failed to remove old box data files 이전 박스 데이터 파일을 제거하지 못했습니다 - + Unknown Error Status: 0x%1 알 수 없는 오류 상태: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? 샌드박스한 웹 브라우저 또는 샌드박스 안 한 웹 브라우저에서 %1을(를) 여시겠습니까? - + Sandboxed 샌드박스함 - + Unsandboxed 샌드박스 안 함 - + Case Sensitive 대소문자 구분 - + RegExp 정규식 - + Highlight 강조 - + Close 닫기 - + &Find ... 찾기(&F)... - + All columns 모든 열 @@ -4035,7 +4105,7 @@ No will choose: %2 Sandboxie-Plus는 Sandboxie의 오픈 소스 연속입니다.<br />더 많은 정보는 <a href="https://sandboxie-plus.com">sandboxie-plus.com</a>를 방문하세요.<br /><br />%3<br /><br />드라이버 버전: %1<br />기능: %2<br /><br />아이콘 제공은 <a href="https://icons8.com">icons8.com</a> - + Administrator rights are required for this operation. 이 작업을 수행하려면 관리자 권한이 필요합니다. @@ -4330,75 +4400,75 @@ No will choose: %2 설치 마법사를 생략하시겠습니까? - + Failed to configure hotkey %1, error: %2 단축키 %1을(를) 구성하지 못했습니다. 오류: %2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. %1 박스는 프로젝트 후원자들만 사용할 수 있는 기능을 사용하도록 구성되어 있습니다. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. %1 박스는 <b>고급</b> 후원자 인증서가 필요한 기능을 사용하도록 구성되어 있습니다. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">인증서를 업그레이드</a> 하여 고급 기능의 잠금을 해제합니다. - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. %2 박스에서 시작한 프로그램 %1은 프로젝트 후원자가 독점적으로 사용할 수 있는 기능을 사용하도록 구성되었기 때문에 5분 후에 종료됩니다. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. %1 박스는 프로젝트 후원자가 독점적으로 사용할 수 있는 기능을 사용하도록 구성되었으며, 이러한 사전 설정은 무시됩니다. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">프로젝트 후원자가 되어</a>, <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">후원자 인증서</a>를 받습니다 - + The Certificate Signature is invalid! 인증서 서명이 잘못되었습니다! - + The Certificate is not suitable for this product. 인증서가 이 제품에 적합하지 않습니다. - + The Certificate is node locked. 인증서가 노드 잠금 상태입니다. - + The support certificate is not valid. Error: %1 지원 인증서가 잘못되었습니다. 오류: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! 평가 기간이 만료되었습니다!!! @@ -4421,47 +4491,47 @@ Error: %1 가져오기: %1 - + Please enter the duration, in seconds, for disabling Forced Programs rules. 강제 프로그램 규칙을 비활성화하는 기간을 초로 입력하세요. - + No Recovery 복구 안 함 - + No Messages 메시지 없음 - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>오류:</b> Sandboxie-Plus Manager(SandMan.exe)에 유효한 서명(SandMan.exe.sig)이 없습니다. <a href="https://sandboxie-plus.com/go.php?to=sbie-get">공식 다운로드 페이지</a>에서 신뢰할 수 있는 릴리스를 다운로드하세요. - + Maintenance operation failed (%1) 유지 관리 작업에 실패했습니다 (%1) - + Maintenance operation completed 유지 보수 작업이 완료되었습니다 - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Plus UI에서 이 기능은 기본 샌드박스 목록 보기에 통합되었습니다. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. 박스/그룹의 상황에 맞는 메뉴를 사용하여 박스와 그룹을 다른 그룹으로 이동할 수 있습니다. 끌어서 놓기를 사용하여 항목을 이동할 수도 있습니다. 또는 ALT를 누른 상태에서 화살표 키를 사용하여 그룹 내에서 항목을 위아래로 이동할 수도 있습니다.<br />.샌드박스 메뉴에서 새 박스 및 그룹을 생성할 수 있습니다. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4470,219 +4540,219 @@ This file is part of Sandboxie and all changed done to it will be reverted next 이 파일은 Sandboxie의 일부이며 다음에 Sandboxie가 업데이트될 때 변경된 모든 내용이 되돌아갑니다. - + Sandboxie config has been reloaded Sandboxie 구성을 다시 불러왔습니다 - + Failed to execute: %1 실행하지 못했습니다: %1 - + Failed to connect to the driver 드라이버에 연결하지 못했습니다 - + Failed to communicate with Sandboxie Service: %1 Sandboxie Service와 통신하지 못했습니다: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 호환되지 않는 Sandboxie %1이(가) 발견되었습니다. 호환 버전: %2 - + Can't find Sandboxie installation path. Sandboxie 설치 경로를 찾을 수 없습니다. - + Failed to copy configuration from sandbox %1: %2 %1에서 구성을 복사하지 못했습니다: %2 - + A sandbox of the name %1 already exists %1 이름의 샌드박스가 이미 있습니다 - + Failed to delete sandbox %1: %2 샌드박스 %1을(를) 삭제하지 못했습니다: %2 - + The sandbox name can not be longer than 32 characters. 샌드박스 이름은 32자를 초과할 수 없습니다. - + The sandbox name can not be a device name. 샌드박스 이름은 장치 이름이 될 수 없습니다. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. 샌드박스 이름에는 공백으로 표시되는 문자, 숫자 및 밑줄만 포함될 수 있습니다. - + Failed to terminate all processes 모든 프로세스를 종료하지 못했습니다 - + Delete protection is enabled for the sandbox 샌드박스에 대해 삭제 보호가 활성화되었습니다 - + All sandbox processes must be stopped before the box content can be deleted 박스 내용을 삭제하려면 먼저 모든 샌드박스 프로세스를 중지해야 합니다 - + Error deleting sandbox folder: %1 샌드박스 폴더 삭제 중 오류 발생: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. 샌드박스의 모든 프로세스를 중지해야 이름을 바꿀 수 있습니다. - + Failed to move directory '%1' to '%2' '%1' 디렉터리를 '%2'로 이동하지 못했습니다 - + Failed to move box image '%1' to '%2' 박스 이미지 '%1'을(를) '%2'(으)로 이동하지 못했습니다 - + This Snapshot operation can not be performed while processes are still running in the box. 프로세스가 박스에서 실행 중인 동안에는 이 스냅샷 작업을 수행할 수 없습니다. - + Failed to create directory for new snapshot 새 스냅샷에 대한 디렉터리를 생성하지 못했습니다 - + Snapshot not found 스냅샷을 찾을 수 없음 - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. '%1' 스냅샷 디렉터리를 '%2'과(와) 병합하는 동안 오류가 발생했습니다. 스냅샷이 완전히 병합되지 않았습니다. - + Failed to remove old snapshot directory '%1' 이전 스냅샷 디렉터리 '%1'을(를) 제거하지 못했습니다 - + Can't remove a snapshot that is shared by multiple later snapshots 이후 여러 스냅샷이 공유하는 스냅샷을 제거할 수 없습니다 - + You are not authorized to update configuration in section '%1' '%1' 섹션의 구성을 업데이트할 수 있는 권한이 없습니다 - + Failed to set configuration setting %1 in section %2: %3 %2 섹션에서 구성 설정 %1을 설정하지 못했습니다: %3 - + Can not create snapshot of an empty sandbox 빈 샌드박스의 스냅샷을 생성할 수 없습니다 - + A sandbox with that name already exists 같은 이름의 샌드박스가 이미 있습니다 - + The config password must not be longer than 64 characters 구성 암호는 64자를 초과할 수 없습니다 - + The operation was canceled by the user 사용자가 작업을 취소했습니다 - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted 마운트 해제된 샌드박스의 내용을 삭제할 수 없습니다 - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded 가져오기/내보내기 기능을 사용할 수 없습니다, 7z.dll을 불러올 수 없습니다 - + Failed to create the box archive 박스 압축파일을 만들지 못했습니다 - + Failed to open the 7z archive 7z 압축파일을 열지 못했습니다 - + Failed to unpack the box archive 박스 압축파일의 압축을 풀지 못했습니다 - + The selected 7z file is NOT a box archive 선택한 7z 파일이 박스 압축파일이 아닙니다 - + Operation failed for %1 item(s). %1 항목에 대한 작업에 실패했습니다. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - <h3>Sandboxie-Plus 정보</h3><p>번역: 비너스걸💋 버전 %1</p><p> + <h3>Sandboxie-Plus 정보</h3><p>버전 %1 번역: 비너스걸</p><p> - + This copy of Sandboxie-Plus is certified for: %1 이 Sandboxie-Plus 사본의 인증: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie-Plus는 개인용 및 비상업용으로 무료입니다. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus는 Sandboxie의 오픈 소스 후속 버전입니다.<br />더 많은 정보를 보려면 <a href="https://sandboxie-plus.com">sandboxie-plus.com</a>을 방문하세요.<br /><br />%2<br /><br />기능: %3<br /><br />설치: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />아이콘 출처 <a href="https://icons8.com">icons8.com</a> @@ -4691,28 +4761,28 @@ This file is part of Sandboxie and all changed done to it will be reverted next 샌드박스에서 (예) 또는 샌드박스가 없는 (아니오) 웹 브라우저에서 %1을 여시겠습니까? - + Remember choice for later. 나중을 위해 선택을 기억합니다. - + The supporter certificate is not valid for this build, please get an updated certificate 후원자 인증서가 이 빌드에 유효하지 않습니다. 업데이트된 인증서를 받으세요 - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate 후원자 인증서가 %1일 전에 만료되었습니다. 업데이트된 인증서를 받으세요 - + , but it remains valid for the current build , 하지만 현재 빌드에 대해서는 유효합니다 - + The supporter certificate will expire in %1 days, please get an updated certificate 후원자 인증서가 %1일 후에 만료됩니다. 업데이트된 인증서를 받으세요 @@ -4990,38 +5060,38 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieTemplatesEx - + Failed to initialize COM COM 초기화 실패 - + Failed to create update session 업데이트 세션을 생성하지 못했습니다 - + Failed to create update searcher 업데이트 검색기를 만들지 못했습니다 - + Failed to set search options 검색 옵션을 설정하지 못했습니다 - + Failed to enumerate installed Windows updates Failed to search for updates 설치된 Windows 업데이트를 열거하지 못했습니다 - + Failed to retrieve update list from search result 검색 결과에서 업데이트 목록을 검색하지 못했습니다 - + Failed to get update count 업데이트 수를 가져오지 못했습니다 @@ -5029,272 +5099,272 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieView - - + + Create New Box 새 박스 만들기 - + Remove Group 그룹 제거 - - + + Run 실행 - + Run Program 프로그램 실행 - + Run from Start Menu 시작 메뉴에서 실행 - + Default Web Browser 기본 웹 브라우저 - + Default eMail Client 기본 이메일 클라이언트 - + Windows Explorer Windows 탐색기 - + Registry Editor 레지스트리 편집기 - + Programs and Features 프로그램 및 기능 - + Terminate All Programs 모든 프로그램 종료 - - - - - + + + + + Create Shortcut 바로 가기 만들기 - - + + Explore Content 내용 탐색 - - + + Snapshots Manager 스냅샷 관리자 - + Recover Files 파일 복구 - - + + Delete Content 내용 삭제 - + Sandbox Presets 샌드박스 사전 설정 - + Ask for UAC Elevation UAC 상승 요청 - + Drop Admin Rights 관리자 권한 삭제 - + Emulate Admin Rights 관리자 권한 에뮬레이트 - + Block Internet Access 인터넷 액세스 차단 - + Allow Network Shares 네트워크 공유 허용 - + Sandbox Options 샌드박스 옵션 - + Standard Applications 표준 응용 프로그램 - + Browse Files 파일 찾아보기 - - + + Sandbox Tools 샌드박스 도구 - + Duplicate Box Config 중복 박스 구성 - - + + Rename Sandbox 샌드박스 이름 바꾸기 - - + + Move Sandbox 샌드박스 이동 - - + + Remove Sandbox 샌드박스 제거 - - + + Terminate 종료 - + Preset 사전 설정 - - + + Pin to Run Menu 실행할 메뉴 고정 - + Block and Terminate 차단 및 종료 - + Allow internet access 인터넷 액세스 허용 - + Force into this sandbox 이 샌드박스에 강제 적용 - + Set Linger Process 링거 프로세스 설정 - + Set Leader Process 지시자 프로세스 설정 - + File root: %1 파일 루트: %1 - + Registry root: %1 레지스트리 루트: %1 - + IPC root: %1 IPC 루트: %1 - + Options: 옵션: - + [None] [없음] - + Please enter a new group name 새 그룹 이름을 입력하세요 - + Do you really want to remove the selected group(s)? 선택한 그룹을 제거하시겠습니까? - - + + Create Box Group 박스 그룹 만들기 - + Rename Group 그룹 이름 바꾸기 - - + + Stop Operations 작업 중지 - + Command Prompt 명령 프롬프트 @@ -5303,44 +5373,44 @@ This file is part of Sandboxie and all changed done to it will be reverted next 박스형 도구 - + Command Prompt (as Admin) 명령 프롬프트 (관리자) - + Command Prompt (32-bit) 명령 프롬프트 (32비트) - + Execute Autorun Entries 자동 실행 항목 실행 - + Browse Content 내용 찾아보기 - + Box Content 박스 내용 - + Open Registry 레지스트리 열기 - - + + Refresh Info 정보 새로 고침 - - + + (Host) Start Menu (호스트) 시작 메뉴 @@ -5349,29 +5419,29 @@ This file is part of Sandboxie and all changed done to it will be reverted next 추가 도구 - + Immediate Recovery 즉시 복구 - + Disable Force Rules 강제 규칙 사용 안 함 - + Export Box 박스 내보내기 - - + + Move Up 위로 이동 - - + + Move Down 아래로 이동 @@ -5380,290 +5450,295 @@ This file is part of Sandboxie and all changed done to it will be reverted next 샌드박스에서 실행 - + Run Web Browser 웹 브라우저 실행 - + Run eMail Reader 이메일 리더 실행 - + Run Any Program 모든 프로그램 실행 - + Run From Start Menu 시작 메뉴에서 실행 - + Run Windows Explorer Windows 탐색기 실행 - + Terminate Programs 프로그램 종료 - + Quick Recover 빠른 복구 - + Sandbox Settings 샌드박스 설정 - + Duplicate Sandbox Config 샌드박스 구성 복제 - + Export Sandbox 샌드박스 내보내기 - + Move Group 그룹 이동 - + Disk root: %1 디스트 루트: %1 - + Please enter a new name for the Group. 그룹의 새 이름을 입력하세요. - + Move entries by (negative values move up, positive values move down): 항목 이동 기준 (음수 값은 위로 이동, 양수 값은 아래로 이동): - + A group can not be its own parent. 그룹은 자신의 상위 그룹이 될 수 없습니다. - + 7-zip Archive (*.7z);;Zip Archive (*.zip) + 7-zip 압축파일 (*.7z);;Zip 압축파일 (*.zip) + + + Failed to open archive, wrong password? 압축파일을 열지 못했습니다. 암호가 잘못되었습니까? - + Failed to open archive (%1)! 압축파일 (%1)를 열지 못했습니다! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + 7-Zip 압축파일 (*.7z);;Zip 압축파일 (*.zip) + + This name is already in use, please select an alternative box name - 이 이름은 이미 사용 중입니다. 다른 박스 이름을 선택하세요 + 이 이름은 이미 사용 중입니다. 다른 박스 이름을 선택하세요 - Importing Sandbox - 샌드박스 가져오기 + 샌드박스 가져오기 - Do you want to select custom root folder? - 사용자 지정 루트 폴더를 선택하시겠습니까? + 사용자 지정 루트 폴더를 선택하시겠습니까? - + Importing: %1 가져오기: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. 샌드박스 이름 및 박스 그룹 이름에는 ',(') 기호를 사용할 수 없습니다. - + This name is already used for a Box Group. 이 이름은 이미 박스 그룹에 사용되고 있습니다. - + This name is already used for a Sandbox. 이 이름은 샌드박스에 이미 사용되고 있습니다. - - - + + + Don't show this message again. 이 메시지를 다시 표시하지 않습니다. - - - + + + This Sandbox is empty. 샌드박스가 비어 있습니다. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. 경고: 열려 있는 레지스트리 편집기는 샌드박스가 아닙니다. 미리 선택한 샌드박스 위치만 변경하세요. - + Don't show this warning in future 앞으로 이 경고를 표시하지 않음 - + Please enter a new name for the duplicated Sandbox. 복제된 샌드박스의 새 이름을 입력하세요. - + %1 Copy %1 복사 - - + + Select file name 파일 이름 선택 - - + + Import Box 박스 가져오기 - - + + Mount Box Image 마운트 박스 이미지 - - + + Unmount Box Image 박스 이미지 마운트 해제 - + Suspend 일시중지 - + Resume 재개 - - 7-zip Archive (*.7z) - 7-zip 압축파일 (*.7z) + 7-zip 압축파일 (*.7z) - + Exporting: %1 내보내기: %1 - + Please enter a new name for the Sandbox. 샌드박스의 새 이름을 입력하세요. - + Please enter a new alias for the Sandbox. 샌드박스의 새 별칭을 입력하세요. - + The entered name is not valid, do you want to set it as an alias instead? 입력한 이름이 올바르지 않습니다. 대신 별칭으로 설정하시겠습니까? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? 선택한 샌드박스를 제거하시겠습니까?<br /><br />경고: 박스 내용도 삭제됩니다! - + This Sandbox is already empty. 이 샌드박스는 이미 비어 있습니다. - - + + Do you want to delete the content of the selected sandbox? 선택한 샌드박스의 내용을 삭제하시겠습니까? - - + + Also delete all Snapshots 또한 모든 스냅샷 삭제 - + Do you really want to delete the content of all selected sandboxes? 선택한 모든 샌드박스의 내용을 삭제하시겠습니까? - + Do you want to terminate all processes in the selected sandbox(es)? 선택한 샌드박스의 모든 프로세스를 종료하시겠습니까? - - + + Terminate without asking 묻지 않고 종료 - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. 이제 샌드박스 시작 메뉴가 표시됩니다. 메뉴에서 응용프로그램을 선택하면 Sandboxie가 실제 바탕 화면에 새 바로 가기 아이콘을 만듭니다. 이 아이콘을 사용하면 Sandboxie의 감독 하에 선택한 응용프로그램을 호출할 수 있습니다. - - + + Create Shortcut to sandbox %1 샌드박스 %1 바로 가기 만들기 - + Do you want to terminate %1? Do you want to %1 %2? %1을 종료하시겠습니까? - + the selected processes 선택된 과정 - + This box does not have Internet restrictions in place, do you want to enable them? 이 박스에는 인터넷 제한이 없습니다. 인터넷 제한을 사용하시겠습니까? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? 이 샌드박스는 현재 비활성화되어 있거나 특정 그룹 또는 사용자로 제한되어 있습니다. 모두에게 액세스를 허용하시겠습니까? @@ -5708,7 +5783,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - 전역 설정 @@ -5726,189 +5801,189 @@ This file is part of Sandboxie and all changed done to it will be reverted next 구성 보호 - + Auto Detection 자동 탐지 - + No Translation 번역 안 함 - - + + Don't integrate links 링크 통합 안 함 - - + + As sub group 하위 그룹으로 - - + + Fully integrate 완전 통합 - + Don't show any icon Don't integrate links 아무 아이콘도 표시하지 않음 - + Show Plus icon 플러스 아이콘 표시 - + Show Classic icon 클래식 아이콘 표시 - + All Boxes 모든 박스 - + Active + Pinned 활성 + 고정 - + Pinned Only 고정만 - + Close to Tray 트레이로 닫기 - + Prompt before Close 닫기 전 프롬프트 - + Close 닫기 - + None 없음 - + Native 원본 - + Qt Qt - + Every Day 매일 - + Every Week 매주 - + Every 2 Weeks 2주마다 - + Every 30 days 30일마다 - + Ignore 무시 - + %1 %1 % %1 - + Add %1 Template %1 템플릿 추가 - + HwId: %1 HwId: %1 - + Select font 글꼴 선택 - + Reset font 글꼴 재설정 - + Search for settings 설정 검색 - + %0, %1 pt %0, %1 pt - + Please enter message 메시지를 입력하세요 - - - + + + Run &Sandboxed 샌드박스에서 실행(&S) - + kilobytes (%1) 킬로바이트 (%1) - + Volume not attached 볼륨이 연결되지 않음 - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> <b>%1/%2개의 평가 인증서를 사용했습니다. 더 이상 사용 가능한 인증서를 생성할 수 없습니다.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> <b><a href="_">무료 평가 인증서를 받고</a> %1일 동안 모든 프리미엄 기능을 누리세요.</b> - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. 하드웨어 ID당 %2회까지 무료 %1일 평가 인증서를 요청할 수 있습니다. @@ -5917,17 +5992,17 @@ This file is part of Sandboxie and all changed done to it will be reverted next 하나의 하드웨어 ID에 대해 %1일 무료 평가 인증서를 %2회까지 요청할 수 있습니다 - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 이 후원자 인증서가 만료되었습니다. <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">업데이트된 인증서</a>를 받으세요. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>현재 빌드 Plus 기능은 활성화된 상태로 유지</font>되지만 호환성 업데이트 및 문제 해결 데이터베이스를 포함한 샌드박스 라이브 서비스에 더 이상 액세스할 수 없습니다. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 이 후원자 인증서는 <font color='red'>%1일 후에 만료</font>됩니다. <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">업데이트된 인증서</a>를 받으세요. @@ -5936,111 +6011,111 @@ This file is part of Sandboxie and all changed done to it will be reverted next 만료 날짜: %1일 - + Expires in: %1 days Expires: %1 Days ago 만료: %1일 전 - + Expired: %1 days ago - + Options: %1 옵션: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 보안/개인 정보 보호 강화 및 앱 박스 (SBox): %1 - - - - + + + + Enabled 사용함 - - - - + + + + Disabled 사용 안 함 - + Encrypted Sandboxes (EBox): %1 암호화된 샌드박스 (EBox): %1 - + Network Interception (NetI): %1 네트워크 차단 (NetI): %1 - + Sandboxie Desktop (Desk): %1 Sandboxie 데스크톱 (데스크): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. 이것은 Sandboxie-Plus 일련 번호처럼 보이지 않습니다.<br />인증서의 UpdateKey 또는 서명을 입력하려고 시도했지만 올바르지 않은 경우, 위의 텍스트 영역에 전체 인증서를 대신 입력하세요. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. 기존 후원자 인증서를 입력하지 않고 기능 업그레이드 키를 사용하려고 합니다. (<b>웹 사이트에 굵은 글씨로 명시되어 있는</b) 이 유형의 키는 기존 후원자 인증서가 있어야 하며, 인증서가 없으면 쓸모가 없습니다.<br />고급 기능을 사용하려면 표준 인증서와 기능 업그레이드 키를 모두 받아야 합니다. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. 기존 후원자 인증서를 입력하지 않고 갱신 키를 사용하려고 합니다. (<b>웹사이트에 굵은 글씨로 명시되어 있는</b) 이 유형의 키는 기존 후원자 인증서가 있어야 하며, 해당 인증서가 없으면 쓸모가 없습니다. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> <br /><br /><u>제품 설명을 읽지 않고 실수로 이 키를 얻으신 경우 이메일 (홈페이지 제공)로 연락하여 이 문제를 해결해 주시기 바랍니다.</u> - - + + Retrieving certificate... 인증서 검색 중... - + Sandboxie-Plus - Get EVALUATION Certificate Sandboxie-Plus - 평가판 인증서 가져오기 - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. %2로 발급되어 현재 하드웨어에 고정되는 무료 %1일 평가 인증서를 받으려면 이메일 주소를 입력하세요. 고유 하드웨어 ID별로 최대 %3개의 평가 인증서를 요청할 수 있습니다. - + Error retrieving certificate: %1 Error retriving certificate: %1 인증서를 검색하는 중 오류 발생: %1 - + Unknown Error (probably a network issue) 알 수 없는 오류 (아마도 네트워크 문제) - + The evaluation certificate has been successfully applied. Enjoy your free trial! 평가 인증서가 성공적으로 신청되었습니다. 무료 평가판을 즐기세요! @@ -6049,42 +6124,42 @@ You can request up to %3 evaluation certificates for each unique hardware ID.인증서를 가져오는 중... - + Contributor 기여자 - + Eternal 영구 - + Business 비지니스 - + Personal 개인 - + Great Patreon Great Patreon - + Patreon Patreon - + Family 패밀리 - + Home @@ -6093,12 +6168,12 @@ You can request up to %3 evaluation certificates for each unique hardware ID.기부 - + Evaluation 평가 - + Type %1 유형 %1 @@ -6107,97 +6182,97 @@ You can request up to %3 evaluation certificates for each unique hardware ID.표준 - + Advanced 고급 - + Advanced (L) 고급 (L) - + Max Level 최대 수준 - + Level %1 수준 %1 - + Supporter certificate required for access 접근에 필요한 후원자 인증서 - + Supporter certificate required for automation 자동화에 필요한 후원자 인증서 - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. 이 인증서는 현재 빌드에 유효하지 않습니다. 새 인증서를 가져오거나 이전 빌드로 다운그레이드해야 합니다. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. 이 인증서는 만료되었지만 현재 설치된 버전 및 기능에 대해서는 사용 가능한 상태로 유지됩니다. 그러나 호환성 업데이트 및 온라인 문제 해결 데이터베이스를 포함한 Sandboxie-Live 서비스에 더 이상 액세스할 수 없습니다. - + This certificate has unfortunately expired, you need to get a new certificate. 이 인증서는 만료되었습니다. 새 인증서를 받아야 합니다. - + Sandboxed Web Browser 샌드박스 웹 브라우저 - - + + Notify 알림 - - + + Download & Notify 다운로드하고 알림 - - + + Download & Install 다운로드하고 설치 - + Browse for Program 프로그램 찾아보기 - + Select Program 프로그램 선택 - + Executables (*.exe *.cmd) 실행 파일 (*.exe *.cmd) - - + + Please enter a menu title 메뉴 제목을 입력하세요 - + Please enter a command 명령을 입력하세요 @@ -6206,7 +6281,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.이 후원자 인증서가 만료되었습니다, <a href="sbie://update/cert">에서 업데이트된 인증서를 받으세요</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>%1일 후에 추가 기능이 비활성화됩니다.</font> @@ -6215,7 +6290,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.<br /><font color='red'>이 빌드 Plus 기능은 계속 사용 가능합니다.</font> - + <br />Plus features are no longer enabled. <br />Plus 기능이 더 이상 사용되지 않습니다. @@ -6233,22 +6308,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.후원자 인증서 필요 - + Run &Un-Sandboxed 샌드박스 없이 실행(&U) - + Set Force in Sandbox 샌드박스에서 강제 설정 - + Set Open Path in Sandbox 샌드박스에서 열린 경로 설정 - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. 인증서로 보이지 않습니다. 인증서 일부가 아닌 전체 인증서를 입력하세요. @@ -6261,7 +6336,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.안타깝게도 이 인증서는 오래되었습니다. - + Thank you for supporting the development of Sandboxie-Plus. Sandboxie-Plus 개발을 지원해 주셔서 감사합니다. @@ -6270,88 +6345,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.이 후원 인증서는 유효하지 않습니다. - + Update Available 사용 가능한 업데이트 - + Installed 설치됨 - + by %1 %1까지 - + (info website) (정보 웹사이트) - + This Add-on is mandatory and can not be removed. 이 추가 기능은 필수 사항 제거할 수 없습니다. - - + + Select Directory 디렉터리 선택 - + <a href="check">Check Now</a> <a href="check">지금 확인</a> - + Please enter the new configuration password. 새 구성 암호를 입력하세요. - + Please re-enter the new configuration password. 새 구성 암호를 다시 입력하세요. - + Passwords did not match, please retry. 암호가 일치하지 않습니다. 다시 시도하세요. - + Process 프로세스 - + Folder 폴더 - + Please enter a program file name 프로그램 파일 이름을 입력하세요 - + Please enter the template identifier 템플릿 식별자를 입력하세요 - + Error: %1 오류: %1 - + Do you really want to delete the selected local template(s)? 선택한 로컬 템플릿을 삭제하시겠습니까? - + %1 (Current) %1 (현재) @@ -6615,35 +6690,35 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox 새 샌드박스 만들기 - + Almost complete, click Finish to create a new sandbox and conclude the wizard. 거의 완료되었습니다. 마침을 클릭하여 새 샌드박스를 만들고 마법사를 종료합니다. - + Save options as new defaults 옵션을 새 기본값으로 저장 - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) 고급 옵션이 설정되지 않은 경우 이 요약 페이지 건너뛰기 - + This Sandbox will be saved to: %1 이 샌드박스는 다음 위치에 저장됩니다: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6652,21 +6727,21 @@ This box's content will be DISCARDED when its closed, and the box will be r 이 박스의 내용물은 닫히면 폐기되고 박스는 제거됩니다. - + This box will DISCARD its content when its closed, its suitable only for temporary data. 이 박스는 닫히면 내용을 삭제하고 임시 데이터에만 적합합니다. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. 이 박스의 프로세스는 인터넷 또는 로컬 네트워크에 액세스할 수 없으므로 액세스된 모든 데이터가 기밀로 유지됩니다. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6675,14 +6750,14 @@ This box will run the MSIServer (*.msi installer service) with a system token, t 이 박스는 시스템 토큰으로 MSI 서버 (*.msi 설치 관리자 서비스)를 실행합니다. 이렇게 하면 호환성은 향상되지만 보안 분리는 줄어듭니다. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. 이 박스의 프로세스는 관리자 권한 없이 실행되므로 보안 강화 박스에서도 설치 프로그램을 사용할 수 있습니다. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6691,7 +6766,7 @@ Processes in this box will be running with a custom process token indicating the 이 박스의 프로세스는 자신이 속한 샌드박스를 나타내는 사용자 지정 프로세스 토큰으로 실행됩니다. - + Failed to create new box: %1 새 박스를 만들지 못했습니다: %1 @@ -7355,34 +7430,74 @@ If you are a great patreaon supporter already, sandboxie can check online for an 파일 압축 - + Compression 압축 - + When selected you will be prompted for a password after clicking OK 이 옵션을 선택하면 확인을 클릭한 후 암호를 입력하라는 메시지가 표시됩니다 - + Encrypt archive content 압축파일 내용 암호화 - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. 솔리드 압축파일은 여러 파일을 연속적인 하나의 데이터 블록으로 처리하여 압축률을 향상시킵니다. 많은 수의 작은 파일에 이상적이므로 아카이브를 보다 압축적으로 만들지만 개별 파일을 추출하는 데 필요한 시간을 늘릴 수 있습니다. - + Create Solide Archive 솔리드 압축파일 만들기 - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - 샌드박스를 7z 압축파닐로 내보내고 압축률을 선택하고 추가 압축 설정을 사용자 정의합니다. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + 샌드박스를 압축파일로 내보내고, 압축률을 선택하고, 추가 압축 설정을 사용자 지정합니다. + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + 샌드박스를 7z 또는 Zip 아카이브로 내보내고 압축률을 선택한 다음 추가 압축 설정을 사용자 지정합니다. + + + + ExtractDialog + + + Extract Files + 파일 추출 + + + + Import Sandbox from an archive + Export Sandbox from an archive + 압축파일에서 샌드박스 가져오기 + + + + Import Sandbox Name + 샌드박스 이름 가져오기 + + + + Box Root Folder + 박스 루트 폴더 + + + + ... + ... + + + + Import without encryption + 암호화 없이 가져오기 @@ -7431,41 +7546,42 @@ If you are a great patreaon supporter already, sandboxie can check online for an 제목의 샌드박스 표시기: - + Sandboxed window border: 샌드박스 창 테두리: - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD 드라이브에 볼륨 일련 번호 사용, 예: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty 박스 구조는 샌드박스가 비어 있는 경우에만 변경할 수 있습니다 + Allow sandboxed processes to open files protected by EFS - 샌드박스 프로세스가 EFS에 의해 보호되는 파일을 열 수 있도록 허용 + 샌드박스 프로세스가 EFS에 의해 보호되는 파일을 열 수 있도록 허용 - + Disk/File access 디스크/파일 액세스 - + Virtualization scheme 가상화 체계 - + Partially checked means prevent box removal but not content deletion. 부분적으로 선택하면 박스는 제거되지만 내용은 삭제되지 않습니다. - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -7474,52 +7590,53 @@ If you are a great patreaon supporter already, sandboxie can check online for an 2115: 파일이 마이그레이션되지 않았습니다. 읽기 전용으로 파일이 열립니다 - + Issue message 2113/2114/2115 when a file is not fully migrated 파일이 완전히 마이그레이션되지 않은 경우 메시지 2113/2114/2115 발생 - + Add Pattern 패턴 추가 - + Remove Pattern 패턴 제거 - + Pattern 패턴 - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie는 사용자가 허용하지 않는 한 호스트 파일에 쓰는 것을 허용하지 않습니다. 샌드박스 응용프로그램이 파일을 수정하려고 할 때 전체 파일을 샌드박스에 복사해야 합니다. 큰 파일의 경우 상당한 시간이 걸릴 수 있습니다. Sandboxie는 이 페이지에서 구성할 수 있는 이러한 사례를 처리하는 옵션을 제공합니다. - + Using wildcard patterns file specific behavior can be configured in the list below: 와일드카드 패턴 사용 파일별 동작은 아래 목록에서 구성할 수 있습니다: - + When a file cannot be migrated, open it in read-only mode instead 파일을 마이그레이션할 수 없는 경우 대신 읽기 전용 모드로 엽니다 - + Restrictions 제한 사항 - - - - - - + + + + + + + Protect the system from sandboxed processes 샌드박스 프로세스로부터 시스템 보호 @@ -7528,80 +7645,80 @@ If you are a great patreaon supporter already, sandboxie can check online for an 아이콘 - - + + Move Up 위로 이동 - - + + Move Down 아래로 이동 - + Elevation restrictions 권한 제한 - + Drop rights from Administrators and Power Users groups 관리자 및 Power Users 그룹에서 권한 삭제 - + px Width px 너비 - + Make applications think they are running elevated (allows to run installers safely) 응용 프로그램이 높은 수준으로 실행되고 있다고 생각하도록 함 (설치 프로그램을 안전하게 실행할 수 있음) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. 주의: 기본 관리자에서 실행할 때 프로세스는 관리 권한을 삭제할 수 없습니다. - + Appearance 모양 - + (Recommended) (추천) - + Show this box in the 'run in box' selection prompt '박스안에서 실행' 선택 프롬프트에 이 박스 표시 - + File Options 파일 옵션 - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates 마지막 샌드박스 처리가 종료될 때 내용 변경 자동 삭제 - + Copy file size limit: 복사 파일 크기 제한: - + Box Delete options 박스 삭제 옵션 - + Protect this sandbox from deletion or emptying 이 샌드박스를 삭제 또는 비우지 않도록 보호 @@ -7610,33 +7727,33 @@ If you are a great patreaon supporter already, sandboxie can check online for an Raw 디스크 액세스 - - + + File Migration 파일 마이그레이션 - + Allow elevated sandboxed applications to read the harddrive 상승된 샌드박스 응용프로그램에서 하드 드라이브 읽기 허용 - + Warn when an application opens a harddrive handle 응용 프로그램이 하드 드라이브 핸들을 열 때 경고 - + kilobytes 킬로바이트 - + Issue message 2102 when a file is too large 파일이 너무 큰 경우 메시지 2102 발행 - + Prompt user for large file migration 사용자에게 대용량 파일 마이그레이션 확인 @@ -7645,217 +7762,217 @@ If you are a great patreaon supporter already, sandboxie can check online for an 액세스 제한 - + Allow the print spooler to print to files outside the sandbox 샌드박스 외부의 파일로 인쇄 스풀러 인쇄 허용 - + Remove spooler restriction, printers can be installed outside the sandbox 스풀러 제한 제거, 샌드박스 외부에 프린터를 설치할 수 있음 - + Block read access to the clipboard 클립보드에 대한 읽기 액세스 차단 - + Open System Protected Storage 시스템 보호 저장소 열기 - + Block access to the printer spooler 프린터 스풀러에 대한 액세스 차단 - + Other restrictions 기타 제한 - + Printing restrictions 인쇄 제한 - + Network restrictions 네트워크 제한 - + Block network files and folders, unless specifically opened. 특별히 열지 않는 한 네트워크 파일 및 폴더를 차단합니다. - + Run Menu 실행 메뉴 - + You can configure custom entries for the sandbox run menu. 샌드박스 실행 메뉴에 대한 사용자 정의 항목을 구성할 수 있습니다. - - - - - - - - - - - - - + + + + + + + + + + + + + Name 이름 - + Command Line 명령 줄 - + Add program 프로그램 추가 - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove 제거 - - - - - - - + + + + + + + Type 유형 - + Program Groups 프로그램 그룹 - + Add Group 그룹 추가 - - - - - + + + + + Add Program 프로그램 추가 - + Force Folder 강제 폴더 - - - + + + Path 경로 - + Force Program 강제 프로그램 - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates 템플릿 표시 - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. 보안 참고 사항: 관리자 또는 시스템 토큰을 사용하여 샌드박스의 감독 하에 실행되는 고급 응용 프로그램은 분리를 우회하고 샌드박스 외부에서 시스템을 수정할 수 있는 기회가 더 많습니다. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required MSI 서버가 샌드박스 시스템 토큰으로 실행되도록 허용하고 필요한 경우 다른 예외를 적용합니다 - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. 참고: Msi 설치 관리자 면제는 필요하지 않지만 신뢰할 수 있는 msi 패키지를 설치하는 데 문제가 발생할 경우 이 옵션을 사용하면 설치가 성공적으로 완료될 수 있습니다. 삭제 관리자 권한을 비활성화할 수도 있습니다. - + General Configuration 일반 구성 - + Box Type Preset: 박스 유형 사전 설정: - + Box info 박스 정보 - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>더 많은 박스 유형</b>은 <u>프로젝트 후원자</u> 독점적으로 사용할 수 있으며, 개인 정보 보호 강화 박스는 샌드박스 프로그램에 의한 <b><font color='red'>불법 액세스으로부터 사용자 데이터를 보호</font></b>합니다.<br />아직 후원자가 아닌 경우 <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">후원자 인증서</a>를 받을 수 있도록 <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">프로젝트 지원</a>을 고려해 주시기 바랍니다.<br />이러한 유형의 새 샌드박스를 만들어 다른 박스 유형을 테스트할 수 있지만, 이러한 유형의 프로세스는 5분 후에 자동으로 종료됩니다. @@ -7865,22 +7982,22 @@ If you are a great patreaon supporter already, sandboxie can check online for an 시스템 트레이 목록에 항상 이 샌드박스 표시 (고정) - + Open Windows Credentials Store (user mode) Windows 자격 증명 저장소 열기 (사용자 모드) - + Prevent change to network and firewall parameters (user mode) 네트워크 및 방화벽 매개 변수 (사용자 모드) 변경 방지 - + Issue message 2111 when a process access is denied 프로세스 액세스이 거부되면 메시지 2111 발행 - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. 프로그램을 그룹화하고 그룹 이름을 지정할 수 있습니다. 프로그램 그룹은 프로그램 이름 대신 일부 설정과 함께 사용할 수 있습니다. 박스에 대해 정의된 그룹은 템플릿에 정의된 덮어쓰기 그룹입니다. @@ -7889,13 +8006,13 @@ If you are a great patreaon supporter already, sandboxie can check online for an 강제 프로그램 - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. 여기에 입력된 프로그램 또는 입력된 위치에서 시작된 프로그램은 다른 샌드박스에서 명시적으로 시작하지 않는 한 이 샌드박스에 자동으로 저장됩니다. - - + + Stop Behaviour 동작 중지 @@ -7920,32 +8037,32 @@ If leader processes are defined, all others are treated as lingering processes.< 대표 프로세스가 정의되면 다른 모든 프로세스는 남아있는 프로세스로 취급됩니다. - + Start Restrictions 시작 제한 - + Issue message 1308 when a program fails to start 프로그램 시작 실패 시 메시지 1308 발생 - + Allow only selected programs to start in this sandbox. * 이 샌드박스에서 선택한 프로그램만 시작하도록 허용합니다. * - + Prevent selected programs from starting in this sandbox. 선택한 프로그램이 이 샌드박스에서 시작되지 않도록 합니다. - + Allow all programs to start in this sandbox. 이 샌드박스에서 모든 프로그램을 시작할 수 있습니다. - + * Note: Programs installed to this sandbox won't be able to start at all. * 참고: 이 샌드박스에 설치된 프로그램은 시작할 수 없습니다. @@ -7954,165 +8071,165 @@ If leader processes are defined, all others are treated as lingering processes.< 인터넷 제한 - + Process Restrictions 프로세스 제한 - + Issue message 1307 when a program is denied internet access 프로그램이 인터넷 액세스를 거부하면 메시지 1307 발행 - + Prompt user whether to allow an exemption from the blockade. 차단 면제를 허용할지 여부를 사용자에게 묻습니다. - + Note: Programs installed to this sandbox won't be able to access the internet at all. 참고: 이 샌드박스에 설치된 프로그램은 인터넷에 전혀 액세스할 수 없습니다. - - - - - - + + + + + + Access 액세스 - + Prevent sandboxed processes from interfering with power operations (Experimental) 샌드박스가 적용된 프로세스가 전원 운영을 방해하지 않도록 방지 (실험적) - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. 마우스를 움직이거나 앞으로 가져오는 등의 조작을 방지하면 게임에서 문제가 발생할 수 있습니다. - + Prevent interference with the user interface (Experimental) 사용자 인터페이스 간섭 방지(실험적) - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar 샌드박스된 창이 작업 표시줄을 덮을 수 있도록 허용 - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. 이 기능은 화면 캡처를 얻는 모든 수단을 차단하는 것이 아니라 일부 일반적인 수단만 차단합니다. - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) 샌드박스 프로세스가 창 이미지를 캡처하지 못하도록 방지 (실험적, UI 결함을 유발할 수 있음) - + Job Object 작업 개체 - + Drop ConHost.exe Process Integrity Level - + ConHost.exe 프로세스 무결성 수준 삭제 - + Configure which processes can access Desktop objects like Windows and alike. Windows 등 데스크톱 개체에 액세스할 수 있는 프로세스를 구성합니다. - + Set network/internet access for unlisted processes: 목록에 없는 프로세스에 대한 네트워크/인터넷 액세스 설정: - + Test Rules, Program: 테스트 규칙, 프로그램: - + Port: 포트: - + IP: IP: - + Protocol: 프로토콜: - + X X - + Add Rule 규칙 추가 - - - - - - - - - - + + + + + + + + + + Program 프로그램 - - - - + + + + Action 동작 - - + + Port 포트 - - - + + + IP IP - + Protocol 프로토콜 - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. 주의: Windows 필터링 플랫폼이 드라이버에서 사용할 수 없으므로 이 규칙은 사용자 모드에서만 적용되며 강제 적용할 수 없습니다!!! 즉, 악성 프로그램이 이를 무시할 수 있습니다. - + Resource Access 리소스 액세스 @@ -8129,7 +8246,7 @@ You can use 'Open for All' instead to make it apply to all programs, o 대신 '모두 열기'를 사용하여 모든 프로그램에 적용하거나 정책 탭에서 이 동작을 변경할 수 있습니다. - + Add File/Folder 파일/폴더 추가 @@ -8138,104 +8255,104 @@ You can use 'Open for All' instead to make it apply to all programs, o 사용자 제거 - + Add Wnd Class 창 클래스 추가 - + Add IPC Path IPC 경로 추가 - + Add Reg Key Reg 키 추가 - + Add COM Object COM 개체 추가 - + File Recovery 파일 복구 - + Add Folder 폴더 추가 - + Ignore Extension 확장자 무시 - + Ignore Folder 폴더 무시 - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. 파일이 생성되는 즉시 복구할 수 있도록 즉시 복구 프롬프트를 실행합니다. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. 즉시 복구에서 폴더 및 파일 유형 (또는 파일 확장자)을 제외할 수 있습니다. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. 빠른 복구 기능이 호출되면 샌드박스 내용에 대해 다음 폴더가 확인됩니다. - + Advanced Options 고급 옵션 - + Miscellaneous 기타 - + Don't alter window class names created by sandboxed programs 샌드박스 프로그램에서 만든 창 클래스 이름 변경 안 함 - + Do not start sandboxed services using a system token (recommended) 시스템 토큰을 사용하여 샌드박스 서비스를 시작하지 않음 (권장) - - - - - - - + + + + + + + Protect the sandbox integrity itself 샌드박스 무결성 자체 보호 - + Drop critical privileges from processes running with a SYSTEM token SYSTEM 토큰으로 실행 중인 프로세스에서 중요한 권한 삭제 - - + + (Security Critical) (보안 중요) - + Protect sandboxed SYSTEM processes from unprivileged processes 권한이 없는 프로세스로부터 샌드박스 SYSTEM 프로세스 보호 @@ -8244,7 +8361,7 @@ You can use 'Open for All' instead to make it apply to all programs, o 샌드박스 격리 - + Force usage of custom dummy Manifest files (legacy behaviour) 사용자 지정 더미 매니페스트 파일 강제 사용 (레거시 동작) @@ -8257,34 +8374,34 @@ You can use 'Open for All' instead to make it apply to all programs, o 리소스 액세스 정책 - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. 규칙 특수성은 지정된 규칙이 특정 경로와 얼마나 잘 일치하는지 측정하는 것으로, 단순하게 말해서 특수성은 경로 시작부터 마지막 일치하는 비 와일드카드 하위 문자열까지 포함한 문자 길이입니다. "*.tmp"와 같은 파일 형식만 일치하는 규칙은 항상 전체 파일 경로와 일치하므로 가장 높은 특수성을 가집니다. 프로세스 일치 수준은 특수성보다 높은 우선 순위를 가지며 규칙이 지정된 프로세스에 적용되는 방식을 설명합니다. 프로세스 이름 또는 그룹별로 적용되는 규칙은 일치 수준이 가장 강하고 부정에 의한 일치 수준 (즉, 지정된 프로세스를 제외한 모든 프로세스에 적용되는 규칙)이 그 뒤를 이으며, 가장 낮은 일치 수준에는 전역 일치, 즉 모든 프로세스에 적용되는 규칙이 있습니다. - + Prioritize rules based on their Specificity and Process Match Level 특수성 및 프로세스 일치 수준에 따라 규칙 우선 순위 지정 - + Privacy Mode, block file and registry access to all locations except the generic system ones 개인 정보 보호 모드, 일반 시스템 위치를 제외한 모든 위치에 대한 파일 및 레지스트리 액세스 차단 - + Access Mode 액세스 모드 - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. 개인 정보 모드가 활성화된 경우 샌드박스 프로세스는 C:만 읽을 수 있습니다. \Windows\*, C:\Program Files\* 및 HKLM 레지스트리의 일부 다른 위치에서는 읽기 및/또는 쓰기 가능하려면 명시적 액세스 권한이 필요합니다. 이 모드에서는 규칙 특정성이 항상 활성화됩니다. - + Rule Policies 규칙 정책 @@ -8293,23 +8410,23 @@ The process match level has a higher priority than the specificity and describes 닫기 적용...=!<프로그램>,... 또한 규칙은 샌드박스에 있는 모든 이진 파일에 적용됩니다. - + Apply File and Key Open directives only to binaries located outside the sandbox. 샌드박스 외부에 있는 이진 파일에만 파일 및 키 열기 지시문을 적용합니다. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) SYSTEM 프로세스로 샌드박스 RpcS 시작 (권장하지 않음) - + Allow only privileged processes to access the Service Control Manager 권한 있는 프로세스만 서비스 제어 관리자에 액세스할 수 있도록 허용 - - + + Compatibility 호환성 @@ -8318,33 +8435,33 @@ The process match level has a higher priority than the specificity and describes COM 인프라에 대한 개방형 액세스 (권장하지 않음) - + Add sandboxed processes to job objects (recommended) 작업 개체에 샌드박스 프로세스 추가 (권장) - + Emulate sandboxed window station for all processes 모든 프로세스에 대해 샌드박스 창 스테이션 에뮬레이트 - + Allow use of nested job objects (works on Windows 8 and later) 중첩된 작업 개체 사용 허용 (Windows 8 이상에서 작동) - + Isolation 격리 - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. 엄격하게 제한된 프로세스 토큰을 사용하여 보안을 격리하는 것은 샌드박스 제한을 시행하는 샌드박스의 주요 수단입니다. 이를 사용하지 않도록 설정하면 해당 박스가 응용 프로그램 구획 모드로 작동합니다. 즉, 더 이상 안정적인 보안을 제공하지 않고 단순한 애플리케이션 구획만 제공합니다. - + Allow sandboxed programs to manage Hardware/Devices 샌드박스 프로그램에서 하드웨어/장치 관리 허용 @@ -8357,12 +8474,12 @@ The process match level has a higher priority than the specificity and describes 다양한 고급 격리 기능으로 인해 일부 응용 프로그램과의 호환성이 손상될 수 있습니다. 이 샌드박스를 <b>보안이 아닌</b> 단순한 응용프로그램 이식용으로 사용하는 경우 이러한 옵션을 변경하여 일부 보안을 희생하여 호환성을 복원할 수 있습니다. - + Open access to Windows Security Account Manager Windows 보안 계정 관리자에 대한 액세스 열기 - + Open access to Windows Local Security Authority Windows 로컬 보안 기관에 대한 개방형 액세스 권한 @@ -8371,27 +8488,27 @@ The process match level has a higher priority than the specificity and describes 보안 - + Security enhancements 보안 강화 - + Use the original token only for approved NT system calls 승인된 NT 시스템 호출에만 원본 토큰 사용 - + Restrict driver/device access to only approved ones 드라이버/장치 액세스만 승인된 것으로 제한 - + Enable all security enhancements (make security hardened box) 모든 보안 향상 사용 (보안 강화 박스 만들기) - + Allow to read memory of unsandboxed processes (not recommended) 샌드박스되지 않은 프로세스의 메모리 읽기 허용(권장하지 않음) @@ -8400,27 +8517,27 @@ The process match level has a higher priority than the specificity and describes COM/RPC - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) 기본적으로 RpcMgmtSetComTimeout 사용 안 함 (호환성 문제가 해결될 수 있음) - + Security Isolation & Filtering 보안 격리 및 필터링 - + Disable Security Filtering (not recommended) 보안 필터링 사용 안 함 (권장하지 않음) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Sandboxie에서 사용하는 보안 필터링은 파일 시스템 및 레지스트리 액세스 제한을 적용하고 프로세스 액세스를 제한하는 데 사용됩니다. - + The below options can be used safely when you don't grant admin rights. 다음 옵션은 관리자 권한을 부여하지 않을 때 안전하게 사용할 수 있습니다. @@ -8429,41 +8546,41 @@ The process match level has a higher priority than the specificity and describes 액세스 격리 - + Triggers 트리거 - + Event 이벤트 - - - - + + + + Run Command 명령 실행 - + Start Service 서비스 시작 - + These events are executed each time a box is started 이 이벤트는 박스가 시작될 때마다 실행됩니다 - + On Box Start 박스 시작 시 - - + + These commands are run UNBOXED just before the box content is deleted 이 명령은 박스 내용이 삭제되기 직전에 UNBOXED로 실행됩니다 @@ -8472,17 +8589,17 @@ The process match level has a higher priority than the specificity and describes 박스 삭제 시 - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. 이러한 명령은 박스가 초기화될 때만 실행됩니다. 다시 실행하려면 박스 내용을 삭제해야 합니다. - + On Box Init 박스 초기화 시 - + Here you can specify actions to be executed automatically on various box events. 여기서 다양한 박스 이벤트에 대해 자동으로 실행할 동작을 지정할 수 있습니다. @@ -8491,37 +8608,37 @@ The process match level has a higher priority than the specificity and describes 프로세스 숨기기 - + Add Process 프로세스 추가 - + Hide host processes from processes running in the sandbox. 샌드박스에서 실행 중인 프로세스에서 호스트 프로세스를 숨깁니다. - + Double click action: 두 번 클릭 동작: - + Separate user folders 개별 사용자 폴더 - + Box Structure 박스 구조 - + Security Options 보안 옵션 - + Security Hardening 보안 강화 @@ -8530,48 +8647,48 @@ The process match level has a higher priority than the specificity and describes 다양한 제한 사항 - + Security Isolation 보안 격리 - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. 다양한 분리 기능은 일부 응용 프로그램과의 호환성을 손상시킬 수 있습니다. 이 샌드박스를 <b>보안이 아닌</b> 응용 프로그램 이동성을 위해 사용하는 경우 이러한 옵션을 변경하여 일부 보안을 희생하여 호환성을 복원할 수 있습니다. - + Access Isolation 액세스 격리 - + Image Protection 이미지 보호 - + Issue message 1305 when a program tries to load a sandboxed dll 프로그램이 샌드박스된 dll을 로드하려고 할 때 1305 메시지 발생 - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox 호스트에 설치된 샌드박스 프로그램이 샌드박스에서 DLL을 로드하지 못하도록 방지 - + Dlls && Extensions Dll 및 확장자 - + Description 설명 - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8580,13 +8697,13 @@ This is done to prevent rogue processes inside the sandbox from creating a renam 이는 샌드박스 내부의 불량 프로세스가 자신의 이름이 변경된 복사본을 만들고 보호된 리소스에 액세스하는 것을 방지하기 위해 수행됩니다. 또 다른 악용 벡터는 권한 있는 프로세스에 라이브러리를 주입하여 액세스가 허용된 모든 것에 액세스하는 것입니다. 호스트 이미지 보호를 사용하면 샌드박스 내부에서 실행되는 응용 프로그램 (호스트에 설치)이 샌드박스 자체에서 라이브러리를 로드하는 것을 차단하여 이를 방지할 수 있습니다. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. Sandboxies 기능은 SbieDll.dll에 의해 시작할 때 각 샌드박스 프로세스에 로드될 수 있는 옵션 DLL을 사용하여 향상될 수 있습니다. 전역 설정의 애드온 관리자는 몇 가지 유용한 확장 기능을 제공합니다. 일단 설치되면 현재 박스에 대해 활성화할 수 있습니다. - + Advanced Security Adcanced Security 고급 보안 @@ -8596,124 +8713,124 @@ This is done to prevent rogue processes inside the sandbox from creating a renam 익명 토큰 대신 샌드박스 로그인 사용 (실험적) - + Other isolation 기타 격리 - + Privilege isolation 권한 분리 - + Sandboxie token Sandboxie 토큰 - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. 사용자 정의 Sandboxie 토큰을 사용하면 개별 Sandboxie를 서로 더 잘 분리할 수 있으며, 작업 관리자의 사용자 열에 프로세스가 속한 박스의 이름이 표시됩니다. 그러나 일부 타사 보안 솔루션에는 사용자 지정 토큰에 문제가 있을 수 있습니다. - + Create a new sandboxed token instead of stripping down the original token 원래 토큰을 제거하는 대신 새 샌드박스 토큰 생성 - + Program Control 프로그램 제어 - + Force Programs 강제 프로그램 - + Disable forced Process and Folder for this sandbox 이 샌드박스에 대해 강제 프로세스 및 폴더 사용 안 함 - + Force Children 강제 하위 - + Breakout Programs 탈옥 프로그램 - + Breakout Program 탈옥 프로그램 - + Breakout Folder 탈옥 폴더 - + Encrypt sandbox content 샌드박스 콘텐츠 암호화 - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. <a href="sbie://docs/boxencryption">박스 암호화</a>가 활성화되면 Disk Cryptor의 AES-XTS 구현을 사용하여 레지스트리 하이브를 포함한 박스의 루트 폴더가 암호화된 디스크 이미지에 저장됩니다. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">ImDisk</a> 드라이버를 설치하여 RAM 디스크 및 디스크 이미지 지원을 사용하도록 설정합니다. - + Store the sandbox content in a Ram Disk 샌드박스 콘텐츠를 램 디스크에 저장합니다 - + Set Password 암호 설정 - + Disable Security Isolation 보안 분리 사용 안 함 - - + + Box Protection 박스 보호 - + Protect processes within this box from host processes 이 박스 내의 프로세스를 호스트 프로세스로부터 보호 - + Allow Process 허용 프로세스 - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root 호스트 프로세스가 샌드박스 프로세스/박스 루트에 액세스하려고 할 때 1318/1317 메시지를 발행합니다 - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus는 호스트 프로세스에 의한 무단 감시 또는 변조로부터 강력한 보호를 제공하는 기밀 샌드박스를 만들 수 있습니다. 암호화된 샌드박스 이미지를 활용함으로써 이 기능은 최고 수준의 운영 기밀성을 제공하여 샌드박스 프로세스의 안전과 무결성을 보장합니다. - + Deny Process 거부 프로세스 @@ -8728,124 +8845,147 @@ This is done to prevent rogue processes inside the sandbox from creating a renam 샌드박스화된 프로세스가 전원 작업을 방해하는 것을 방지 - + Force protection on mount 마운트에 강제 보호 - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. 샌드박스로 처리된 창에서 창 이미지를 캡처하지 못하도록 방지 - + Allow useful Windows processes access to protected processes 보호된 프로세스에 대한 유용한 Windows 프로세스 액세스 허용 - + + Open access to Proxy Configurations + 프록시 구성에 대한 액세스 열기 + + + + File ACLs + 파일 ACL + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + 박스형 파일 및 폴더에 원본 액세스 제어 항목 사용 (MSIServer의 경우 예외 사용) + + + Use a Sandboxie login instead of an anonymous token 익명 토큰 대신 샌드박스 로그인 사용 - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. 여기에 입력된 프로그램은 시작할 때 이 박스에서 벗어날 수 있습니다. 다른 박스에 캡처할 수 있습니다. 예를 들어 웹 브라우저를 항상 전용 박스에 열도록 합니다. 이 기능을 설치하려면 올바른 후원자 인증서를 설치해야 합니다. - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. - <b><font color='red'>보안 권고</font>:</b> <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 및/또는 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a>를 Open[파일/파이프]과 함께 사용하는 경로 지시어는 <a href="sbie://docs/breakoutdocument">BreakoutDocument</a>를 사용하여 * 또는 안전하지 않은 모든 확장자 (*.exe;*dll;*.ocx;*.cmd;*.bat;*lnk;*pif;url;*ps1; 등)를 허용할 수 있으므로 보안을 손상시킬 수 있습니다. 사용하기 전에 설명서의 각 옵션에 대한 보안 섹션을 검토하세요. + + Breakout Document + 분과 문서 - + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>보안 권고</font>:</b> <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 및/또는 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a>를 사용하면 Open[File/Pipe] 경로 지시어와 함께 사용하면 보안이 손상될 수 있으며, * 또는 안전하지 않은 (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;등...) 확장자를 허용하는 <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> 사용과 마찬가지로 보안이 손상될 수도 있습니다. 사용하기 전에 설명서의 각 옵션에 대한 보안 섹션을 검토하세요. + + + Lingering Programs 남은 프로그램 - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. 남은 프로그램은 다른 모든 프로세스가 종료된 후에도 계속 실행 중인 경우 자동으로 종료됩니다. - + Leader Programs 대표 프로그램 - + If leader processes are defined, all others are treated as lingering processes. 대표 프로세스가 정의되어 있는 경우 다른 모든 프로세스는 계속 진행 중인 프로세스로 간주됩니다. - + Stop Options 중지 옵션 - + Use Linger Leniency 지연 시간 사용 - + Don't stop lingering processes with windows Windows에서 지속적인 프로세스 중지 - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. 이 설정은 사용자가 모르거나 동의하지 않은 상태에서 샌드박스에서 프로그램이 실행되는 것을 방지하는 데 사용될 수 있습니다. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. 외부 소스에서 샌드박스에서 프로세스를 시작하기 전에 팝업 경고 표시 - + Files 파일 - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. 파일, 폴더 및 파이프에 액세스할 수 있는 프로세스를 구성합니다. '열기' 액세스은 샌드박스 외부에 위치한 프로그램 이진 파일에만 적용되며, 대신 '모두 열기'를 사용하여 모든 프로그램에 적용하거나 정책 탭에서 이 동작을 변경할 수 있습니다. - + Registry 레지스트리 - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. 레지스트리에 액세스할 수 있는 프로세스를 구성합니다. '열기' 액세스은 샌드박스 외부에 위치한 프로그램 이진 파일에만 적용되며, 대신 '모두 열기'를 사용하여 모든 프로그램에 적용하거나 정책 탭에서 이 동작을 변경할 수 있습니다. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. ALPC 포트 및 기타 프로세스 메모리 및 컨텍스트와 같은 NT IPC 개체에 액세스할 수 있는 프로세스를 구성합니다. 프로세스를 지정하려면 '$:program.exe'를 경로로 사용합니다. - + Wnd - + Wnd Class 창 클래스 @@ -8855,97 +8995,97 @@ To specify a process use '$:program.exe' as path. Windows 등의 데스크탑 개체에 액세스스할 수 있는 프로세스를 구성합니다. - + COM COM - + Class Id 클래스 Id - + Configure which processes can access COM objects. COM 개체에 액세스할 수 있는 프로세스를 구성합니다. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) 가상화된 COM 사용 안 함, 호스트 COM 인프라에 대한 액세스 열기 (권장하지 않음) - + Access Policies 액세스 정책 - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. 닫기 적용...=!<프로그램>,... 또한 샌드박스에 있는 모든 이진 파일에 대한 규칙도 있습니다. - + Network Options 네트워크 옵션 - + Bypass IPs 우회 IP - + Other Options 기타 옵션 - + Port Blocking 포트 차단 - + Block common SAMBA ports 공통 SAMBA 포트 차단 - + Block DNS, UDP port 53 DNS, UDP 포트 53 차단 - + Quick Recovery 빠른 복구 - + Immediate Recovery 즉시 복구 - + Various Options 다양한 옵션 - + Apply ElevateCreateProcess Workaround (legacy behaviour) ElevateCreateProcess 해결 방법 적용 (레거시 동작) - + Use desktop object workaround for all processes 모든 프로세스에 대해 데스크톱 개체 해결 방법 사용 - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. 전역 단축키를 짧게 3번 누르면 이 예외가 무시됩니다. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. "모든 프로세스 종료"가 호출될 때 이 샌드박스가 종료되지 않도록 제외합니다. @@ -8954,49 +9094,49 @@ To specify a process use '$:program.exe' as path. 이 명령은 샌드박스의 모든 프로세스가 완료된 후에 실행됩니다. - + On Box Terminate 박스 종료 시 - + This command will be run before the box content will be deleted 박스 내용이 삭제되기 전에 이 명령이 실행됩니다 - + On File Recovery 파일 복구 시 - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked 이 명령은 파일을 복구하기 전에 실행되며 파일 경로가 첫 번째 인수로 전달됩니다. 이 명령이 0이 아닌 다른 것을 반환하는 경우 복구가 차단됩니다 - + Run File Checker 파일 검사 실행 - + On Delete Content 콘텐츠 삭제 시 - + Don't allow sandboxed processes to see processes running in other boxes 샌드박스 프로세스에서 다른 박스에서 실행 중인 프로세스 보기 허용 안 함 - + Protect processes in this box from being accessed by specified unsandboxed host processes. 지정된 샌드박스되지 않은 호스트 프로세스가 이 박스에 액세스하지 못하도록 이 박스에 있는 프로세스를 보호합니다. - - + + Process 프로세스 @@ -9005,22 +9145,22 @@ To specify a process use '$:program.exe' as path. 이 샌드박스의 프로세스에 대한 읽기 액세스도 차단 - + Users 사용자 - + Restrict Resource Access monitor to administrators only 리소스 액세스 모니터를 관리자로만 제한 - + Add User 사용자 추가 - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -9029,23 +9169,23 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to 참고: 샌드박스에 대한 강제 프로그램 및 강제 폴더 설정은 샌드박스를 사용할 수 없는 사용자 계정에는 적용되지 않습니다. - + Add Option 옵션 추가 - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. 여기서 호환성 향상 및/또는 샌드박스 동작을 사용자 정의하도록 고급 프로세스별 옵션을 구성할 수 있습니다. - + Option 옵션 - + Tracing 추적 @@ -9055,22 +9195,22 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to API 호출 추적 (Sbie 디렉터리에 LogAPI를 설치해야 함) - + Pipe Trace 파이프 추적 - + Log all SetError's to Trace log (creates a lot of output) 모든 SetError를 추적 로그에 기록 (많은 출력을 생성) - + Log Debug Output to the Trace Log 추적 로그에 디버그 출력 기록 - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -9093,162 +9233,162 @@ instead of "*". Ntdll syscall 추적 (많은 출력을 생성합니다) - + File Trace 파일 추적 - + Disable Resource Access Monitor 리소스 액세스 모니터 사용 안 함 - + IPC Trace IPC 추적 - + GUI Trace GUI 추적 - + Resource Access Monitor 리소스 액세스 모니터 - + Access Tracing 액세스 추적 - + COM Class Trace COM 클래스 추적 - + Key Trace 키 추적 - - - + + + unlimited 무제한 - - + + bytes 바이트 - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. 표시됨: 새로 생성된 샌드박스 토큰에 로컬 그룹도 추가되어 모든 샌드박스 주소를 한 번에 지정할 수 있습니다. 정책 감사에 유용할 것입니다. 일부 확인됨: 새로 생성된 샌드박스 토큰에 그룹이 추가되지 않습니다. - - + + Network Firewall 네트워크 방화벽 - + These commands are run UNBOXED after all processes in the sandbox have finished. 이러한 명령은 샌드박스의 모든 프로세스가 완료된 후 언박스 상태로 실행됩니다. - + Privacy 개인 정보 보호 - + Hide Network Adapter MAC Address - + 네트워크 어댑터 MAC 주소 숨기기 - + Hide Firmware Information Hide Firmware Informations 펌웨어 정보 숨기기 - + Hide Disk Serial Number 디스크 일련 번호 숨기기 - + Obfuscate known unique identifiers in the registry 레지스트리에서 알려진 고유 식별자를 난독화 - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. 일부 프로그램은 일반적인 방법 대신 WMI (Windows 기본 제공 데이터베이스)를 통해 시스템 세부 정보를 읽습니다. 예를 들어, "HideOtherBoxes"를 사용하더라도 "tasklist.exe"는 WMI에 액세스하여 전체 프로세스 목록을 가져올 수 있습니다. 이 옵션을 사용하면 이 동작을 중지할 수 있습니다. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) 샌드박스화된 프로세스가 WMI를 통해 시스템 세부 정보에 액세스하지 못하도록 방지 (자세한 내용은 도구 설명 참조) - + Process Hiding 프로세스 숨김 - + Use a custom Locale/LangID 사용자 지정 로케일/LangID 사용 - + Data Protection 데이터 보호 - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom 현재 펌웨어 테이블을 HKCU\System\SbieCustom에 덤프 - + Dump FW Tables FW 테이블 덤프 - + API call Trace (traces all SBIE hooks) API 호출 추적 (모든 SBIE 후크 추적) - + Debug 디버그 - + WARNING, these options can disable core security guarantees and break sandbox security!!! 경고, 이러한 옵션은 핵심 보안 보장을 비활성화하고 샌드박스 보안을 파괴할 수 있습니다!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. 이러한 옵션은 호환성 문제를 디버깅하기 위한 것이므로 프로덕션에서 사용하지 마세요. - + App Templates 앱 템플릿 @@ -9257,22 +9397,22 @@ Partially checked: No groups will be added to the newly created sandboxed token. 템플릿 호환성 - + Filter Categories 필터 범주 - + Text Filter 텍스트 필터 - + Add Template 템플릿 추가 - + This list contains a large amount of sandbox compatibility enhancing templates 이 목록에는 많은 양의 샌드박스 호환성 향상 템플릿이 포함되어 있습니다 @@ -9281,17 +9421,17 @@ Partially checked: No groups will be added to the newly created sandboxed token. 템플릿 제거 - + Category 범주 - + Template Folders 템플릿 폴더 - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -9300,98 +9440,97 @@ Please note that this values are currently user specific and saved globally for 이 값은 현재 사용자마다 다르며 모든 박스에 대해 전역으로 저장됩니다. - - + + Value - + Accessibility 접근성 - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. 손실된 보호를 보상하려면 제한 설정 그룹의 삭제 권한 설정 페이지를 참조하세요. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access 화면 판독기: JAWS, NVDA, Window-Eyes, 시스템 액세스 - + DNS Filter DNS 필터 - + Add Filter 필터 추가 - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. DNS 필터를 사용하면 개별 도메인을 프로세스 단위로 차단할 수 있습니다. 차단하려면 IP 열을 비워 두거나 리디렉션할 IP를 입력하세요. - + Domain 도메인 - + Internet Proxy 인터넷 프록시 - + Add Proxy 프록시 추가 - + Test Proxy 프록시 테스트 - + Auth 인증 - + Login 로그인 - + Password 암호 - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. 샌드박스가 적용된 프로그램은 사전 설정된 SOCKS5 프록시를 사용하도록 강제할 수 있습니다. - + Only Administrator user accounts can make changes to this sandbox 관리자 사용자 계정만 이 샌드박스를 변경할 수 있습니다 - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>보안 권고</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 및/또는 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> 를 Open[File/Pipe]경로 지시문과 함께 사용하면 보안이 손상될 수 있습니다. 사용하기 전에 문서에서 각 옵션에 대한 보안 섹션을 검토하세요. + <b><font color='red'>보안 권고</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 및/또는 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> 를 Open[File/Pipe]경로 지시문과 함께 사용하면 보안이 손상될 수 있습니다. 사용하기 전에 문서에서 각 옵션에 대한 보안 섹션을 검토하세요. - + Resolve hostnames via proxy 프록시를 통해 호스트 이름 확인 - + Limit restrictions 한도 제한 @@ -9400,34 +9539,34 @@ Please note that this values are currently user specific and saved globally for 설정을 비활성화하려면 비워 둡니다 (단위:KB) - - - + + + Leave it blank to disable the setting 설정을 비활성화하려면 비워 둡니다 - + Total Processes Number Limit: 총 프로세스 수 제한: - + Total Processes Memory Limit: 총 프로세스 메모리 제한: - + Single Process Memory Limit: 단일 프로세스 메모리 제한: - + Restart force process before they begin to execute 실행을 시작하기 전에 강제 실행 프로세스 다시 시작 - + Don't allow sandboxed processes to see processes running outside any boxes 샌드박스된 프로세스가 박스 외부에서 실행되는 프로세스를 볼 수 없도록 합니다 @@ -9442,48 +9581,48 @@ Please note that this values are currently user specific and saved globally for 일부 프로그램은 기존 방법을 사용하는 대신 내장된 Windows 데이터베이스인 WMI (Windows Management Instrumentation)를 통해 시스템 세부 정보를 검색합니다. 예를 들어, 'HideOtherBoxes'를 활성화한 경우에도 'tasklist.exe'는 전체 프로세스 목록에 액세스할 수 있습니다. 이러한 동작을 방지하려면 이 옵션을 활성화합니다. - + DNS Request Logging Dns Request Logging DNS 요청 로깅 - + Syscall Trace (creates a lot of output) Syscall 추적 (출력이 많이 생성됨) - + Templates 템플릿 - + Open Template 템플릿 열기 - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. 다음 설정은 내게 필요한 옵션 소프트웨어와 함께 Sandboxie를 사용할 수 있도록 합니다. 이러한 설정이 적용되면 일부 Sandboxie 보호 기능이 손실됩니다. - + Edit ini Section 이 섹션 편집 - + Edit ini ini 편집 - + Cancel 취소 - + Save 저장 @@ -9499,7 +9638,7 @@ Please note that this values are currently user specific and saved globally for ProgramsDelegate - + Group: %1 그룹: %1 @@ -9507,7 +9646,7 @@ Please note that this values are currently user specific and saved globally for QObject - + Drive %1 드라이브 %1 @@ -9515,27 +9654,27 @@ Please note that this values are currently user specific and saved globally for QPlatformTheme - + OK 확인 - + Apply 적용 - + Cancel 취소 - + &Yes 예(&Y) - + &No 아니오(&N) @@ -9548,7 +9687,7 @@ Please note that this values are currently user specific and saved globally for SandboxiePlus - 복구 - + Close 닫기 @@ -9568,27 +9707,27 @@ Please note that this values are currently user specific and saved globally for 내용 삭제 - + Recover 복원 - + Refresh 새로 고침 - + Delete 삭제 - + Show All Files 모든 파일 표시 - + TextLabel 텍스트 레이블 @@ -9654,18 +9793,18 @@ Please note that this values are currently user specific and saved globally for 일반 구성 - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes 샌드박스를 비울 때 파일 복구 창 표시 - + Open urls from this ui sandboxed 이 UI 샌드박스에서 URL 열기 - + Systray options 시스템 트레이 옵션 @@ -9675,22 +9814,22 @@ Please note that this values are currently user specific and saved globally for UI 언어: - + Shell Integration 쉘 통합 - + Run Sandboxed - Actions 샌드박스에서 실행 - 동작 - + Start Sandbox Manager 샌드박스 관리자 시작 - + Start UI when a sandboxed process is started 샌드박스 프로세스가 시작될 때 UI 시작 @@ -9699,77 +9838,77 @@ Please note that this values are currently user specific and saved globally for 관련 로그 메시지에 대한 알림 표시 - + Start UI with Windows Windows와 함께 UI 시작 - + Add 'Run Sandboxed' to the explorer context menu 탐색기의 상황에 맞는 메뉴에 '샌드박스에서 실행' 추가 - + Run box operations asynchronously whenever possible (like content deletion) 가능한 경우 항상 비동기적으로 박스 작업 실행 (예: 내용 삭제) - + Hotkey for terminating all boxed processes: 박스화된 모든 프로세스를 종료하기 위한 단축키: - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie는 메시지 로그에 <a href="sbie://docs/sbiemessages">SBIE 메시지</a>를 발행하여 팝업으로 표시할 수 있습니다. 일부 메시지는 정보를 제공하며 일반적으로 발생한 이벤트 또는 경우에 따라 특별한 이벤트를 알려주고 다른 메시지는 오류 상태를 나타냅니다.<br/>아래 목록을 사용하여 선택한 SBIE 메시지가 팝업되지 않도록 숨길 수 있습니다: - + Disable SBIE messages popups (they will still be logged to the Messages tab) SBIE 메시지 팝업 사용 안 함 (메시지 탭에 계속 기록됨) - + Show boxes in tray list: 트레이 목록에 박스 표시: - + Always use DefaultBox 항상 기본 박스 사용 - + Add 'Run Un-Sandboxed' to the context menu 상황에 맞는 메뉴에 '샌드박스 없이 실행' 추가 - + Show a tray notification when automatic box operations are started 자동 박스 작업이 시작될 때 트레이 알림 표시 - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * 부분적으로 선택된 확인란은 보기 모드에서 확인할 동작을 남깁니다. - + Advanced Config 고급 구성 - + Activate Kernel Mode Object Filtering 커널 모드 개체 필터링 활성화 - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: 샌드박스 <a href="sbie://docs/filerootpath">파일 시스템 루트</a>: - + Clear password when main window becomes hidden 기본 창이 숨겨질 때 암호 지우기 @@ -9778,22 +9917,22 @@ Please note that this values are currently user specific and saved globally for 개별 사용자 폴더 - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: 샌드박스 <a href="sbie://docs/ipcrootpath">ipc 루트</a>: - + Sandbox default 샌드박스 기본값 - + Config protection 구성 보호 - + ... ... @@ -9803,37 +9942,37 @@ Please note that this values are currently user specific and saved globally for SandMan 옵션 - + Notifications 알림 - + Add Entry 항목 추가 - + Show file migration progress when copying large files into a sandbox 대용량 파일을 샌드박스에 복사할 때 파일 마이그레이션 진행률 표시 - + Message ID 메시지 ID - + Message Text (optional) 메시지 텍스트 (선택사항) - + SBIE Messages SBIE 메시지 - + Delete Entry 항목 삭제 @@ -9842,7 +9981,7 @@ Please note that this values are currently user specific and saved globally for 모든 SBIE 메시지에 대한 팝업 메시지 로그 표시 안 함 - + Notification Options 알림 옵션 @@ -9857,7 +9996,7 @@ Please note that this values are currently user specific and saved globally for SBIE 메시지 팝업 사용 안 함 (메시지 탭에 계속 기록됨) - + Windows Shell Windows 셸 @@ -9866,186 +10005,186 @@ Please note that this values are currently user specific and saved globally for 아이콘 - + Move Up 위로 이동 - + Move Down 아래로 이동 - + Show overlay icons for boxes and processes 박스 및 프로세스에 대한 오버레이 아이콘 표시 - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list 작업 목록에서 Sandboxie 자체 프로세스 숨기기 - - + + Interface Options Display Options 인터페이스 옵션 - + Ini Editor Font Ini 편집기 글꼴 - + Graphic Options 그래픽 옵션 - + Hotkey for bringing sandman to the top: 샌드맨을 맨 위로 끌어올리는 단축키: - + Hotkey for suspending process/folder forcing: 프로세스/폴더 강제 적용을 일시 중단하기 위한 단축키: - + Hotkey for suspending all processes: Hotkey for suspending all process 모든 프로세스를 일시 중단하기 위한 단축키: - + Integrate with Host Desktop 호스트 데스크톱과 통합 - + System Tray 시스템 트레이 - + On main window close: 기본 창 닫기 시: - + Open/Close from/to tray with a single click 트레이에서 한 번의 클릭으로 열기/닫기 - + Minimize to tray 트레이로 최소화 - + Select font 글꼴 선택 - + Reset font 글꼴 재설정 - + Ini Options Ini 옵션 - + # # - + External Ini Editor 외부 Ini 편집기 - + Add-Ons Manager 추가 기능 관리자 - + Optional Add-Ons 선택적 추가 기능 - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus는 다양한 옵션을 제공하고 광범위한 확장을 지원합니다. 이 페이지에서 추가 기능, 플러그인 및 기타 타사 구성 요소의 통합을 구성할 수 있습니다. 선택적 구성 요소는 웹에서 다운로드할 수 있으며 특정 설치에는 관리자 권한이 필요할 수 있습니다. - + Status 상태 - + Version 버전 - + Description 설명 - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">지금 추가 목록 업데이트</a> - + Install 설치 - + Add-On Configuration 추가 기능 구성 - + Enable Ram Disk creation 램 디스크 생성 사용 - + kilobytes 킬로바이트 - + Assign drive letter to Ram Disk 램 디스크에 드라이브 문자 할당 - + Disk Image Support 디스크 이미지 지원 - + RAM Limit RAM 제한 - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">ImDisk</a> 드라이버를 설치하여 RAM 디스크 및 디스크 이미지 지원을 사용하도록 설정합니다. - + Check sandboxes' auto-delete status when Sandman starts 샌드맨 시작 시 sandboxes의 자동 삭제 상태 확인 @@ -10062,168 +10201,178 @@ Please note that this values are currently user specific and saved globally for 더블 클릭으로 샌드박스로 전환 - + Hide SandMan windows from screen capture (UI restart required) 화면 캡처에서 SandMan 창 숨기기 (UI 재시작 필요) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. 램 디스크가 이미 마운트되어 있는 경우 이 옵션을 적용하려면 램 디스크를 마운트 해제해야 합니다. - + * takes effect on disk creation * 디스크 생성 시 적용됩니다 - + Sandboxie Support Sandboxie 지원 - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 이 후원자 인증서가 만료되었습니다. <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">업데이트된 인증서</a>를 받으세요. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Sandboxie-Plus 프로젝트의 후원는 <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">후원자 인증서</a>를 받을 수 있습니다. 이것은 라이선스 키와 비슷하지만 오픈 소스 소프트웨어를 사용하는 멋진 사람들을 위한 것입니다. :- - + Get 받기 - + Retrieve/Upgrade/Renew certificate using Serial Number 일련 번호를 사용하여 인증서 검색/업그레이드/갱신 - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Sandboxie를 Windows의 롤링 릴리스로 최신 상태로 유지하고 모든 웹 브라우저와 호환되는 것은 끊임없는 노력입니다. <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">프로젝트에 직접적으로 기여</a>하거나, <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">후원자 인증서를 구매</a>하여 지지를 표시하거나, <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon에 가입</a>하여 후원자가 되거나, <a href="https://sandboxie-plus.com/go.php?to=donate">Pay-pal을 통해 개발을 지원</a>할 수 있습니다.<br />여러분의 지원은 샌드박스의 발전과 유지에 중요한 역할을 합니다. - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">인증서 사용 안내</a> - + New full installers from the selected release channel. 선택한 릴리스 채널의 새 전체 설치 프로그램입니다. - + Full Upgrades 전체 업그레이드 - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: 샌드박스 <a href="sbie://docs/keyrootpath">레지스트리 루트</a>: - + Sandboxing features 샌드박스 기능 - + Use a Sandboxie login instead of an anonymous token 익명 토큰 대신 샌드박스 로그인 사용 - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) 샌드박스 토큰에 "Sandboxie\All Sandboxes" 그룹 추가 (실험적) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + 이 기능은 액세스를 제한하여 다른 사용자가 폴더에 액세스하지 못하도록 하여 샌드박스를 보호합니다. 루트 폴더 경로에 %USER% 매크로가 포함되어 있는지 확인하여 각 사용자에게 전용 샌드박스 폴더를 제공합니다. + + + + Restrict box root folder access to the the user whom created that sandbox + 해당 샌드박스를 만든 사용자에게 상자 루트 폴더 액세스 제한 + + + Sandboxie.ini Presets 샌드박스.ini 프리셋 - + Change Password 암호 변경 - + Password must be entered in order to make changes 변경하려면 암호 입력 - + Only Administrator user accounts can make changes 관리자 사용자 계정만 변경할 수 있음 - + Watch Sandboxie.ini for changes Sandboxie.ini에서 변경 내용 보기 - + Always run SandMan UI as Admin 관리자로 SandMan UI 항상 실행 - + USB Drive Sandboxing USB 드라이브 샌드박스 - + Volume 볼륨 - + Information 정보 - + Sandbox for USB drives: USB 드라이브용 샌드박스: - + Automatically sandbox all attached USB drives 연결된 모든 USB 드라이브를 자동으로 샌드박스 - + App Templates 앱 템플릿 - + App Compatibility 앱 호환성 - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command 관리자 사용자 계정만 프로그램 일시 중지 명령을 사용할 수 있음 - + Portable root folder 휴대용 루트 폴더 - + Show recoverable files as notifications 복구 가능한 파일을 알림으로 표시 @@ -10233,172 +10382,172 @@ Please note that this values are currently user specific and saved globally for 일반 옵션 - + Terminate all boxed processes when Sandman exits Sandman이 종료될 때 모든 박스 처리 종료 - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu 상황에 맞는 메뉴에 '샌드박스에서 강제 설정' 추가 - + Add 'Set Open Path in Sandbox' to context menu 상황에 맞는 메뉴에 '샌드박스에서 열린 경로 설정' 추가 - + Show Icon in Systray: 시스템 트레이에 아이콘 표시: - + HwId: 00000000-0000-0000-0000-000000000000 HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info 인증 정보 - + Sandboxie Updater Sandboxie 업데이터 - + Keep add-on list up to date 추가 목록을 최신 상태로 유지 - + Update Settings 설정 업데이트 - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. 내부자 채널은 최종적으로 대중에게 공개될 새로운 기능과 버그 수정에 대한 조기 액세스와 안정적인 채널의 모든 관련 개선 사항을 제공합니다. 미리 보기 채널과 달리 테스트되지 않았거나 손상되었거나 광범위하게 사용할 준비가 되지 않았을 수 있는 실험 변경 사항은 포함되지 않습니다. - + Search in the Insider channel 내부자 채널에서 검색 - + Check periodically for new Sandboxie-Plus versions 새 Sandboxie-Plus 버전 주기적 검사 - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">내부자 채널</a>에 대해 자세히 알아보기 - + Keep Troubleshooting scripts up to date 문제 해결 스크립트를 최신 상태로 유지 - + Update Check Interval 업데이트 확인 간격 - + Use Windows Filtering Platform to restrict network access Windows 필터링 플랫폼을 사용하여 네트워크 액세스 제한 - + Hook selected Win32k system calls to enable GPU acceleration (experimental) 선택한 Win32k 시스템 호출을 후크하여 GPU 가속 (실험적) 사용 - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox 각 샌드박스가 차지하는 디스크 공간을 계산하고 표시 - + Use Compact Box List 압축 박스 목록 사용 - + Interface Config 인터페이스 구성 - + Make Box Icons match the Border Color 테두리 색과 일치하는 박스 아이콘 만들기 - + Use a Page Tree in the Box Options instead of Nested Tabs * 박스 옵션에서 중첩 탭 대신 페이지 트리 사용 * - + Use large icons in box list * 박스 목록에서 큰 아이콘 사용 * - + High DPI Scaling 높은 DPI 스케일링 - + Don't show icons in menus * 메뉴에 아이콘 표시 안 함 * - + Use Dark Theme 어두운 테마 사용 - + Font Scaling 글꼴 크기 조정 - + (Restart required) (재시작 필요) - + Show the Recovery Window as Always on Top 복구 창을 항상 맨 위에 표시 - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* 박스 목록에 "피자" 배경 표시 * - + % % - + Alternate row background in lists 목록의 대체 행 배경 - + Use Fusion Theme 퓨전 테마 사용 @@ -10407,61 +10556,61 @@ Unlike the preview channel, it does not include untested, potentially breaking, 선택한 Win32k 시스템 호출을 후크하여 GPU 가속 (실험적) 사용 - + Program Control 프로그램 제어 - - - - - + + + + + Name 이름 - + Path 경로 - + Remove Program 프로그램 제거 - + Add Program 프로그램 추가 - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. 다음 프로그램 중 하나가 샌드박스 외부에서 실행되면 샌드박스는 메시지 SBIE1301를 발행합니다. - + Add Folder 폴더 추가 - + Prevent the listed programs from starting on this system 나열된 프로그램이 이 시스템에서 시작되지 않도록 합니다 - + Issue message 1308 when a program fails to start 프로그램이 시작되지 않을 때 메시지 1308 발행 - + Recovery Options 복구 옵션 - + Start Menu Integration 시작 메뉴 통합 @@ -10470,80 +10619,80 @@ Unlike the preview channel, it does not include untested, potentially breaking, 호스트 시작 메뉴에 박스 통합 - + Scan shell folders and offer links in run menu 실행 메뉴에서 셸 폴더 검색 및 링크 제공 - + Integrate with Host Start Menu 호스트 시작 메뉴와 통합 - + Use new config dialog layout * 새 구성 대화 상자 레이아웃 사용 * - + Program Alerts 프로그램 경고 - + Issue message 1301 when forced processes has been disabled 강제 프로세스가 비활성화되면 메시지 1301을 발행 - + Sandboxie Config Config Protection Sandboxie 구성 - + This option also enables asynchronous operation when needed and suspends updates. 또한 이 옵션은 필요할 때 비동기식 작업을 활성화하고 업데이트를 일시 중단합니다. - + Suppress pop-up notifications when in game / presentation mode 게임/프레젠테이션 모드에서 팝업 알림 표시 안 함 - + User Interface 사용자 인터페이스 - + Run Menu 실행 메뉴 - + Add program 프로그램 추가 - + You can configure custom entries for all sandboxes run menus. 모든 샌드박스 실행 메뉴에 대한 사용자 정의 항목을 구성할 수 있습니다. - - - + + + Remove 제거 - + Command Line 명령 줄 - + Support && Updates 지원 및 업데이트 @@ -10552,7 +10701,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, 샌드박스 구성 - + Default sandbox: 기본 샌드박스: @@ -10561,67 +10710,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, 호환성 - + In the future, don't check software compatibility 앞으로는 소프트웨어 호환성 검사 안 함 - + Enable 사용함 - + Disable 사용 안 함 - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie가 시스템에서 다음 소프트웨어 응용 프로그램을 탐지했습니다. 확인을 클릭하여 구성 설정을 적용하면 해당 응용프로그램과의 호환성이 향상됩니다. 이러한 구성 설정은 모든 기존 샌드박스 및 새 샌드박스에 적용됩니다. - + Local Templates 로컬 템플릿 - + Add Template 템플릿 추가 - + Text Filter 텍스트 필터 - + This list contains user created custom templates for sandbox options 이 목록에는 샌드박스 옵션에 대해 사용자가 생성한 사용자 지정 템플릿이 포함되어 있습니다 - + Open Template 템플릿 열기 - + Edit ini Section INI 섹션 편집 - + Save 저장 - + Edit ini ini 편집 - + Cancel 취소 @@ -10630,7 +10779,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, 지원 - + Incremental Updates Version Updates 증분 업데이트 @@ -10644,7 +10793,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, 전체 업데이트 - + Hotpatches for the installed version, updates to the Templates.ini and translations. 설치된 버전의 핫패치, Templates.ini 및 변환에 대한 업데이트입니다. @@ -10665,7 +10814,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, 라이브 채널에서 검색 - + The preview channel contains the latest GitHub pre-releases. 미리보기 채널에는 최신 GitHub 사전 릴리스가 포함되어 있습니다. @@ -10674,12 +10823,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, 새 버전 - + The stable channel contains the latest stable GitHub releases. 안정적인 채널에는 최신 안정적인 GitHub 릴리스가 포함되어 있습니다. - + Search in the Stable channel 안정적인 채널에서 검색 @@ -10688,7 +10837,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie를 Windows의 롤링 릴리스로 최신 상태로 유지하고 모든 웹 브라우저와 호환되도록 하는 것은 결코 끝나지 않는 노력입니다. 기부금으로 이 일을 후원하는 것을 고려해 주세요.<br /> <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal 기부금</a>으로 개발을 지원할 수 있으며, 신용카드도 사용할 수 있습니다.<br />또는 <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon 구독을 통해 지속적인 지원을 제공할 수 있습니다.</a>. - + Search in the Preview channel 미리 보기 채널에서 검색 @@ -10705,12 +10854,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, 릴리스 채널에서 검색 - + In the future, don't notify about certificate expiration 이후 인증서 만료에 대해 알리지 않음 - + Enter the support certificate here 여기에 후원 인증서를 입력하세요 @@ -10745,37 +10894,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, 이름: - + Description: 설명: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. 스냅샷 내용을 삭제할 때 스냅샷이 없는 대신 이 스냅샷으로 반환됩니다. - + Default snapshot 기본 스냅샷 - + Snapshot Actions 스냅샷 작업 - + Remove Snapshot 스냅샷 제거 - + Go to Snapshot 스냅샷으로 이동 - + Take Snapshot 스냅샷 생성 diff --git a/SandboxiePlus/SandMan/sandman_nl.ts b/SandboxiePlus/SandMan/sandman_nl.ts index 9c2558c7..131778ae 100644 --- a/SandboxiePlus/SandMan/sandman_nl.ts +++ b/SandboxiePlus/SandMan/sandman_nl.ts @@ -9,53 +9,53 @@ - + kilobytes kilobytes - + Protect Box Root from access by unsandboxed processes - - + + TextLabel Tekstlabel - + Show Password - + Enter Password - + New Password - + Repeat Password - + Disk Image Size - + Encryption Cipher - + Lock the box when all processes stop. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? - + Installing: %1 - + Add-on not found, please try updating the add-on list in the global settings! - + Add-on Not Found - + Add-on is not available for this platform Addon is not available for this paltform - + Missing installation instructions Missing instalation instructions - + Executing add-on setup failed - + Failed to delete a file during add-on removal - + Updater failed to perform add-on operation Updater failed to perform plugin operation - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 - + Do you want to remove %1? - + Removing: %1 - + Add-on not found! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Box-opties - + On this page advanced sandbox options can be configured. @@ -149,34 +149,34 @@ Rechten ontnemen van administrator- en poweruser-groepen - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -184,52 +184,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Uitgeschakeld - + Advanced Options Geavanceerde opties - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -339,31 +349,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) kilobytes (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -379,22 +389,22 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Een sandbox isoleert uw hostsysteem van processen die binnen de box draaien. Het voorkomt dat ze permanente veranderingen aanbrengen aan andere programma's en gegevens op uw computer. Het niveau van isolatie heeft invloed op uw veiligheid en de compatibiliteit met toepassingen, vandaar dat er een verschillend niveau van isolatie zal zijn afhankelijk van het geselecteerde type box. Sandboxie kan ook uw persoonlijke gegevens beschermen tegen toegang door processen die onder zijn supervisie draaien. - + Enter box name: @@ -403,121 +413,121 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a Nieuwe box - + Select box type: Sellect box type: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection Geharde sandbox met gegevensbescherming - + Security Hardened Sandbox Sandbox met geharde beveiliging - + Sandbox with Data Protection Sandbox met gegevensbescherming - + Standard Isolation Sandbox (Default) Standaard isolatie-sandbox (standaard) - + Application Compartment with Data Protection Toepassingscompartiment met gegevensbescherming - + Application Compartment Box - + Confidential Encrypted Box - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -527,17 +537,17 @@ This ensures the utmost level of privacy and data protection within the confiden Toepassingscompartiment (GEEN isolatie) - + Remove after use - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. - + Configure advanced options @@ -823,37 +833,65 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - Normaal - - - - Maximum + Zip + Store + + + + + Fastest + + + + + Fast + + + + + Normal + Normaal + + + + Maximum + + + + Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + Map selecteren + + + + This name is already in use, please select an alternative box name + + + CFileBrowserWindow @@ -923,13 +961,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -937,64 +975,64 @@ You can use %USER% to save each users sandbox to an own fodler. - + Sandboxed Files - + Select Directory Map selecteren - + Virtualization scheme - + Version 1 - + Version 2 - + Separate user folders Gescheiden gebruikersmappen - + Use volume serial numbers for drives - + Auto delete content when last process terminates - + Enable Immediate Recovery of files from recovery locations - + The selected box location is not a valid path. The sellected box location is not a valid path. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. @@ -1126,83 +1164,83 @@ You can use %USER% to save each users sandbox to an own fodler. CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access - + Allow network/internet access - + Block network/internet by denying access to Network devices - + Block network/internet using Windows Filtering Platform - + Allow access to network files and folders - - + + This option is not recommended for Hardened boxes - + Prompt user whether to allow an exemption from the blockade - + Admin Options - + Drop rights from Administrators and Power Users groups Rechten ontnemen van administrator- en poweruser-groepen - + Make applications think they are running elevated - + Allow MSIServer to run with a sandboxed system token - + Box Options Box-opties - + Use a Sandboxie login instead of an anonymous token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. @@ -1308,24 +1346,25 @@ You can use %USER% to save each users sandbox to an own fodler. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. - + Don't show this message again. Dit bericht niet meer weergeven @@ -1341,133 +1380,133 @@ You can use %USER% to save each users sandbox to an own fodler. COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + Do you want to check if there is a new version of Sandboxie-Plus? Wilt u controleren of er een nieuwe versie van Sandboxie-Plus is? - + Don't show this message again. Dit bericht niet meer weergeven - + Checking for updates... Controleren op updates... - + server not reachable server niet bereikbaar - - + + Failed to check for updates, error: %1 Controleren op updates mislukt. Fout: %1 - + <p>Do you want to download the installer?</p> - + <p>Do you want to download the updates?</p> - + Don't show this update anymore. - + Downloading updates... - + invalid parameter - + failed to download updated information failed to download update informations - + failed to load updated json file failed to load update json file - + failed to download a particular file - + failed to scan existing installation - + updated signature is invalid !!! update signature is invalid !!! - + downloaded file is corrupted - + internal error - + unknown error - + Failed to download updates from server, error %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> - + Downloading installer... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Wilt u naar de <a href="%1">informatiepagina</a> gaan?</p> - + Don't show this announcement in the future. Deze aankondiging in de toekomst niet weergeven. @@ -1476,7 +1515,7 @@ Do you still want to update? <p>Er is een nieuwe versie van Sandboxie-Plus beschikbaar.<br /><font color='red'>Nieuwe versie:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> @@ -1485,7 +1524,7 @@ Do you still want to update? <p>Wilt u de laatste versie downloaden?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Wilt u naar de <a href="%1">downloadpagina</a> gaan?</p> @@ -1494,7 +1533,7 @@ Do you still want to update? Dit bericht niet meer weergeven. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1524,9 +1563,9 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - - + + Browse for File Bladeren naar bestand @@ -1670,21 +1709,21 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory Map selecteren - + - - - - + + + + @@ -1694,12 +1733,12 @@ Note: The update check is often behind the latest GitHub release to ensure that Alle programma's - - + + - - + + @@ -1733,8 +1772,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1747,141 +1786,141 @@ Note: The update check is often behind the latest GitHub release to ensure that Sjabloonwaarden kunnen niet worden verwijderd. - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. - + Enable crash dump creation in the sandbox folder - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes - + Set RpcMgmtSetComTimeout usage for specific processes - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. - + Force specified processes to wait for a debugger to attach. - + Sandbox file system root - + Sandbox registry root - + Sandbox ipc root - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: - - + + On Start Bij starten - - - - - + + + + + Run Command Opdracht uitvoeren - + Start Service Service starten - + On Init Bij initialisatie - + On File Recovery - + On Delete Content - + On Terminate - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1890,11 +1929,11 @@ Note: The update check is often behind the latest GitHub release to ensure that Bij verwijderen - - - - - + + + + + Please enter the command line to be executed Voer de uit te voeren opdrachtregel in @@ -1903,48 +1942,74 @@ Note: The update check is often behind the latest GitHub release to ensure that Voer een programma-bestandsnaam in - + Deny - + %1 (%2) %1 (%2) - - + + Process Proces - - + + Folder Map - + Children - - - + + Document + + + + + + Select Executable File - - - + + + Executable Files (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? @@ -2025,156 +2090,156 @@ Note: The update check is often behind the latest GitHub release to ensure that Toepassingscompartiment - + Custom icon - + Version 1 - + Version 2 - + Browse for Program Bladeren naar programma - + Open Box Options - + Browse Content Inhoud doorbladeren - + Start File Recovery - + Show Run Dialog - + Indeterminate - + Backup Image Header - + Restore Image Header - + Change Password Wachtwoord wijzigen - - + + Always copy - - + + Don't copy - - + + Copy empty - + kilobytes (%1) kilobytes (%1) - + Select color Kleur selecteren - + Select Program Programma selecteren - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored - + Please enter a service identifier Een service-identifier invoeren - + Executables (*.exe *.cmd) Uitvoerbare bestanden (*.exe *.cmd) - - + + Please enter a menu title Voer een menutitel in - + Please enter a command Voer een opdracht in @@ -2253,7 +2318,7 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Allow @@ -2392,62 +2457,62 @@ Please select a folder which contains this file. Wilt u het geselecteerde lokale sjabloon echt verwijderen? - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' opties - + File Options Bestandsopties - + Grouping - + Add %1 Template - + Search for options - + Box: %1 - + Template: %1 - + Global: %1 - + Default: %1 - + This sandbox has been deleted hence configuration can not be saved. Deze sandbox is verwijderd, dus de configuratie kan niet worden opgeslagen. - + Some changes haven't been saved yet, do you really want to close this options window? Sommige wijzigingen zijn nog niet opgeslagen. Wilt u dit venster echt sluiten? - + Enter program: Programma invoeren: @@ -2498,12 +2563,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss Verwerpen - + Remove this progress indicator from the list Deze voortgangsindicator uit de lijst verwijderen @@ -2511,42 +2576,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process Onthouden voor dit proces - + Yes Ja - + No Nee - + Terminate Beëindigen - + Yes and add to allowed programs Ja en toevoegen aan toegestane programma's - + Requesting process terminated Aanvragen van proces beëindigd - + Request will time out in %1 sec Aanvraag verstrijkt over %1 sec - + Request timed out Aanvraag verstreken @@ -2554,67 +2619,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: Herstellen naar: - + Browse Bladeren - + Clear folder list Maplijst wissen - + Recover Herstellen - + Recover the file to original location Het bestand naar originele locatie herstellen - + Recover && Explore Herstellen en verkennen - + Recover && Open/Run Herstellen en openen/uitvoeren - + Open file recovery for this box Bestandsherstel voor deze box openen - + Dismiss Verwerpen - + Don't recover this file right now Dit bestand nu niet herstellen - + Dismiss all from this box Alles van deze box verwerpen - + Disable quick recovery until the box restarts Snel herstel uitschakelen totdat de box opnieuw start - + Select Directory Map selecteren @@ -2750,37 +2815,42 @@ Volledig pad: %4 - + Select Directory Map selecteren - + + No Files selected! + + + + Do you really want to delete %1 selected files? - + Close until all programs stop in this box Sluiten totdat alle bestanden in deze box stoppen - + Close and Disable Immediate Recovery for this box - + There are %1 new files available to recover. Er zijn %1 nieuwe bestanden beschikbaar om te herstellen. - + Recovering File(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Er zitten %1 bestanden en %2 mappen in de sandbox die %3 schijfruimte innemen. @@ -2936,22 +3006,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 Wachten op map: %1 - + Deleting folder: %1 Map verwijderen: %1 - + Merging folders: %1 &gt;&gt; %2 Mappen samenvoegen: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Samenvoegen van snapshot afwerken... @@ -2959,7 +3029,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled Uitgeschakeld @@ -2968,32 +3038,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, Leeg - + OPEN Root Access - + Application Compartment Toepassingscompartiment - + NOT SECURE NIET VEILIG - + Reduced Isolation Verminderde isolatie - + Enhanced Isolation Verbeterde isolatie - + Privacy Enhanced Verbeterde privacy @@ -3002,32 +3072,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, API-log - + No INet (with Exceptions) - + No INet Geen INet - + Net Share Net share - + No Admin Geen admin - + Auto Delete - + Normal Normaal @@ -3109,22 +3179,22 @@ Please check if there is an update for sandboxie. - + Reset Columns Kolommen herstellen - + Copy Cell Cel kopiëren - + Copy Row Rij kopiëren - + Copy Panel Deelvenster kopiëren @@ -3419,7 +3489,7 @@ Please check if there is an update for sandboxie. - + About Sandboxie-Plus Over Sandboxie-Plus @@ -3658,9 +3728,9 @@ Wilt u het opruimen uitvoeren? - - - + + + Don't show this message again. Dit bericht niet meer weergeven @@ -3731,19 +3801,19 @@ Deze box verhindert de toegang tot alle gegevenslocaties van gebruikers, behalve Inhoud van %1 automatisch verwijderen - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Fout - + Failed to stop all Sandboxie components Stoppen van alle Sadboxie-onderdelen mislukt - + Failed to start required Sandboxie components Starten van vereiste Sandboxie-onderdelen mislukt @@ -3801,7 +3871,7 @@ Nee zal %2 kiezen %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> De geselecteerde functieset is alleen beschikbaar voor projectondersteuners. Processen die gestart zijn in een box met deze functieset ingeschakeld zonder ondersteunerscertificaat worden na 5 minuten beëindigd.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Word een projectondersteuner</a> en ontvang een <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">ondersteunerscertificaat</a> @@ -3857,22 +3927,22 @@ Nee zal %2 kiezen - + Only Administrators can change the config. Alleen administrators kunnen de config wijzigen. - + Please enter the configuration password. Voer het configuratiewachtwoord in - + Login Failed: %1 Aanmelden mislukt: %1 - + Do you want to terminate all processes in all sandboxes? Wilt u alle processen in alle sandboxen beëindigen? @@ -3881,107 +3951,107 @@ Nee zal %2 kiezen Alles beëindigen zonder vragen - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus is gestart in portable modus en moet de nodige services aanmaken. Dit zal om administratieve rechten vragen. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. LET OP: een andere agent (waarschijnlijk SbieCtrl.exe) beheert deze Sandboxie-sessie al. Sluit deze eerst en maak opnieuw verbinding om over te nemen. - + Executing maintenance operation, please wait... Onderhoudsbewerking uitvoeren. Even geduld... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Wilt u ook de verborgen berichtvensters herstellen (ja) of alleen alle logberichten (nee)? - + The changes will be applied automatically whenever the file gets saved. De wijzigingen worden automatisch toegepast wanneer het bestand opgeslagen wordt. - + The changes will be applied automatically as soon as the editor is closed. De wijzigingen worden automatisch toegepast van zodra de editor gesloten wordt. - + Error Status: 0x%1 (%2) Foutstatus: 0x%1 (%2) - + Unknown Onbekend - + A sandbox must be emptied before it can be deleted. Een sandbox moet leeggemaakt worden voordat hij kan verwijderd worden. - + Failed to copy box data files Kopiëren van gegevensbestanden van box mislukt - + Failed to remove old box data files Verwijderen van oude gegevensbestanden van box mislukt - + Unknown Error Status: 0x%1 Onbekende foutstatus: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - + Sandboxed - + Unsandboxed - + Case Sensitive - + RegExp - + Highlight - + Close Sluiten - + &Find ... - + All columns @@ -4003,7 +4073,7 @@ Nee zal %2 kiezen Sandboxie-Plus is een open source verderzetting van Sandboxie.<br />Bezoek <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> voor meer informatie.<br /><br />%3<br /><br />Driver-versie: %1<br />Functies: %2<br /><br />Pictogrammen van <a href="https://icons8.com">icons8.com</a> - + Administrator rights are required for this operation. Administratorrechten zijn nodig voor deze bewerking @@ -4041,27 +4111,27 @@ Nee zal %2 kiezen - - + + (%1) (%1) - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Het programma %1 gestart in box %2 wordt over 5 minuten beëindigd omdat de box geconfigureerd was om functies te gebruiken die alleen beschikbaar zijn voor projectondersteuners. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Box %1 is geconfigureerd om functies te gebruiken die uitsluitend beschikbaar zijn voor projectondersteuners. Deze voorinstellingen zullen worden genegeerd. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Word projectondersteuner</a> en ontvang een <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">ondersteunerscertificaat</a> @@ -4142,126 +4212,126 @@ Nee zal %2 kiezen - + Failed to configure hotkey %1, error: %2 - + The box %1 is configured to use features exclusively available to project supporters. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The selected feature requires an <b>advanced</b> supporter certificate. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! - + The Certificate is not suitable for this product. - + The Certificate is node locked. - + The support certificate is not valid. Error: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! - - + + Don't ask in future - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - + Please enter the duration, in seconds, for disabling Forced Programs rules. Geef de duur op, in seconden, voor het uitschakelen van regels voor geforceerde programma's. - + No Recovery - + No Messages - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. - + Maintenance operation failed (%1) Onderhoudsbewerking mislukt (%1) - + Maintenance operation completed - + In the Plus UI, this functionality has been integrated into the main sandbox list view. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4269,219 +4339,219 @@ This file is part of Sandboxie and all changed done to it will be reverted next - + Sandboxie config has been reloaded - + Failed to execute: %1 Uitvoeren mislukt: %1 - + Failed to connect to the driver Verbinden met de driver mislukt - + Failed to communicate with Sandboxie Service: %1 Communiceren met Sandboxie-service mislukt: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Er is een incompatibele Sandboxie %1 gevonden. Compatibele versies: %2 - + Can't find Sandboxie installation path. Kan het Sandboxie-installatiepad niet vinden - + Failed to copy configuration from sandbox %1: %2 Configuratie kopiëren uit sandbox %1 mislukt: %2 - + A sandbox of the name %1 already exists Er bestaat al een sandbox met de naam %1 - + Failed to delete sandbox %1: %2 Verwijderen van sandbox %1 mislukt: %2 - + The sandbox name can not be longer than 32 characters. De sandbox-naam mag niet langer zijn dan 32 tekens. - + The sandbox name can not be a device name. De sandbox-naam mag geen apparaatnaam zijn. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. De sandbox-naam mag alleen letters, cijfers en underscores bevatten. Underscores worden als spaties weergegeven. - + Failed to terminate all processes Beëindigen van alle processen mislukt - + Delete protection is enabled for the sandbox Beveiliging tegen verwijdering is ingeschakeld voor de sandbox - + All sandbox processes must be stopped before the box content can be deleted Alle sandbox-processen moeten worden gestopt voordat de inhoud van de box kan worden verwijderd - + Error deleting sandbox folder: %1 Fout bij het verwijderen van de sandbox-map: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. - + Failed to move directory '%1' to '%2' Verplaatsen van map '%1' naar '%2' mislukt - + Failed to move box image '%1' to '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Deze snapshot-bewerking kan niet uitgevoerd worden terwijl processen actief zijn in de box. - + Failed to create directory for new snapshot Aanmaken van map voor nieuwe snapshot mislukt - + Snapshot not found Snapshot niet gevonden - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Fout bij samenvoegen van snapshot-map '%1' met '%2'. De snapshot is niet volledig samengevoegd. - + Failed to remove old snapshot directory '%1' Verwijderen van oude snapshot-map '%1' mislukt - + Can't remove a snapshot that is shared by multiple later snapshots Kan geen snapshot verwijderen die gedeeld is door meerdere latere snapshots - + You are not authorized to update configuration in section '%1' U hebt geen toestemming om de configuratie bij te werken in sectie '%1' - + Failed to set configuration setting %1 in section %2: %3 Instellen van configuratie-instelling %1 in sectie %2 mislukt: %3 - + Can not create snapshot of an empty sandbox Kan geen snapshot aanmaken van een lege sandbox - + A sandbox with that name already exists Er bestaat al een sandbox met die naam - + The config password must not be longer than 64 characters Het configuratiewachtwoord mag niet langer zijn dan 64 tekens - + The operation was canceled by the user De bewerking is geannuleerd door de gebruiker - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded - + Failed to create the box archive - + Failed to open the 7z archive - + Failed to unpack the box archive - + The selected 7z file is NOT a box archive - + Operation failed for %1 item(s). Bewerking mislukt voor %1 item(s). - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> @@ -4490,7 +4560,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next Wilt u %1 openen in een gesandboxte (ja) of niet-gesandboxte (nee) webbrowser? - + Remember choice for later. Keuze onthouden voor later. @@ -4547,23 +4617,23 @@ This file is part of Sandboxie and all changed done to it will be reverted next <p>De nieuwe Sandboxie-Plus is naar de volgende locatie gedownload:</p><p><a href="%2">%1</a></p><p>Wilt u de installatie starten? Als er gesandboxte programma's draaien, worden die beëindigd.</p> - + The supporter certificate is not valid for this build, please get an updated certificate Het ondersteunerscertificaat is niet geldig voor deze build. Haal een bijgewerkt certificaat op - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate Het ondersteunerscertificaat is vervallen%1. Haal een bijgewerkt certificaat op. - + , but it remains valid for the current build , maar het blijft geldig voor de huidige build - + The supporter certificate will expire in %1 days, please get an updated certificate Het ondersteunerscertificaat vervalt over %1 dagen. Haal een bijgewerkt certificaat op. @@ -4857,38 +4927,38 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieTemplatesEx - + Failed to initialize COM - + Failed to create update session - + Failed to create update searcher - + Failed to set search options - + Failed to enumerate installed Windows updates Failed to search for updates - + Failed to retrieve update list from search result - + Failed to get update count @@ -4896,252 +4966,252 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieView - - + + Create New Box Nieuwe box aanmaken - + Remove Group Groep verwijderen - - + + Run Uitvoeren - + Run Program Programma uitvoeren - + Run from Start Menu Uitvoeren vanaf startmenu - + Standard Applications - + Default Web Browser Standaard webbrowser - + Default eMail Client Standaard e-mailclient - + Windows Explorer Windows verkenner - + Registry Editor Register-editor - + Programs and Features Programma's en functies - + Terminate All Programs Alle programma's beëindigen - - - - - + + + + + Create Shortcut Snelkoppeling aanmaken - - + + Explore Content Inhoud verkennen - - + + Refresh Info - - + + Snapshots Manager Snapshots-beheerder - + Recover Files Bestanden herstellen - - + + Delete Content Inhoud verwijderen - + Sandbox Presets Sandbox-voorinstellingen - + Ask for UAC Elevation Vragen voor UAC-verheffing - + Drop Admin Rights Administratorrechten ontnemen - + Emulate Admin Rights Administratorrechten emuleren - + Block Internet Access Internettoegang blokkeren - + Allow Network Shares Netwerk-shares toestaan - + Sandbox Options Sandbox-opties - - + + (Host) Start Menu - + Browse Files - - - - Mount Box Image - - + Mount Box Image + + + + + Unmount Box Image - + Immediate Recovery - + Disable Force Rules - - + + Sandbox Tools - + Duplicate Box Config - + Export Box - - + + Rename Sandbox Naam van sandbox wijzigen - - + + Move Sandbox - - + + Remove Sandbox Sandbox verwijderen - - + + Terminate Beëindigen - + Preset Voorinstelling - - + + Pin to Run Menu Vastzetten in uitvoeren-menu - - + + Import Box - + Block and Terminate Blokkeren en beëindigen - + Allow internet access Internettoegang toestaan - + Force into this sandbox In deze sandbox forceren - + Set Linger Process Als achterblijvend proces instellen - + Set Leader Process Als leidend proces instellen @@ -5150,158 +5220,143 @@ This file is part of Sandboxie and all changed done to it will be reverted next Gesandboxt uitvoeren - + Run Web Browser - + Run eMail Reader - + Run Any Program - + Run From Start Menu - + Run Windows Explorer - + Terminate Programs - + Quick Recover - + Sandbox Settings - + Duplicate Sandbox Config - + Export Sandbox - + Move Group - + File root: %1 Bestandsroot: %1 - + Registry root: %1 Register-root: %1 - + IPC root: %1 IPC-root: %1 - + Disk root: %1 - + Options: Opties: - + [None] [Geen] - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - - This name is already in use, please select an alternative box name - - - - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 - + Please enter a new group name Voer een nieuwe groepsnaam in - + Do you really want to remove the selected group(s)? Wilt u de geselecteerde groep(en) echt verwijderen? - - + + Create Box Group Box-groep aanmaken - + Rename Group Naam van groep wijzigen - - + + Stop Operations Bewerkingen stoppen - + Command Prompt Opdrachtprompt @@ -5310,32 +5365,32 @@ This file is part of Sandboxie and all changed done to it will be reverted next Geboxt gereedschap - + Command Prompt (as Admin) Opdrachtprompt (als admin) - + Command Prompt (32-bit) Opdrachtprompt (32 bit) - + Execute Autorun Entries Autorun-items uitvoeren - + Browse Content Inhoud doorbladeren - + Box Content Box-inhoud - + Open Registry Register openen @@ -5348,19 +5403,19 @@ This file is part of Sandboxie and all changed done to it will be reverted next Box/groep verplaatsen - - + + Move Up Omhoog verplaatsen - - + + Move Down Omlaag verplaatsen - + Please enter a new name for the Group. Voer een nieuwe naam in voor de groep. @@ -5369,108 +5424,108 @@ This file is part of Sandboxie and all changed done to it will be reverted next Deze groepsnaam is al in gebruik. - + Move entries by (negative values move up, positive values move down): Items verplaatsen met (negatieve waarden verplaatsen omhoog, positieve waarden verplaatsen omlaag): - + A group can not be its own parent. Een groep kan niet zijn eigen ouder zijn. - + The Sandbox name and Box Group name cannot use the ',()' symbol. - + This name is already used for a Box Group. - + This name is already used for a Sandbox. - - - + + + Don't show this message again. Dit bericht niet meer weergeven - - - + + + This Sandbox is empty. Deze sandbox is leeg. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. WAARSCHUWING: de geopende register-editor is niet gesandboxt, wees voorzichtig en doe alleen veranderingen op de voorgeselecteerde sandbox-locaties. - + Don't show this warning in future Deze waarschuwing in de toekomst niet weergeven - + Please enter a new name for the duplicated Sandbox. Voer een nieuwe naam in voor de gedupliceerde Sandbox. - + %1 Copy %1 kopiëren - - + + Select file name - + Suspend - + Resume - - - 7-zip Archive (*.7z) + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) - + Exporting: %1 - + Please enter a new name for the Sandbox. Voer een nieuwe naam in voor de Sandbox. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? Wilt u de geselecteerde sandbox(en) echt verwijderen?<br /><br />Waarschuwing: de inhoud van de box wordt ook verwijderd! @@ -5480,68 +5535,68 @@ This file is part of Sandboxie and all changed done to it will be reverted next Inhoud van %1 verwijderen - + This Sandbox is already empty. De Sandbox is al leeg. - - + + Do you want to delete the content of the selected sandbox? Wilt u de inhoud van de geselecteerde sandbox verwijderen? - - + + Also delete all Snapshots Ook alle snapshots verwijderen - + Do you really want to delete the content of all selected sandboxes? Wilt u echt de inhoud van alle geselecteerde sandboxen verwijderen? - + Do you want to terminate all processes in the selected sandbox(es)? Wilt u alle processen in de geselecteerde sandbox(en) beëindigen? - - + + Terminate without asking Beëindigen zonder te vragen - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. - - + + Create Shortcut to sandbox %1 Snelkoppeling maken naar sandbox %1 - + Do you want to terminate %1? Do you want to %1 %2? Wilt u %2 %1? - + the selected processes de geselecteerde processen - + This box does not have Internet restrictions in place, do you want to enable them? Deze box heeft geen internetbeperkingen. Wilt u ze inschakelen? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Deze sandbox is uitgeschakeld. Wilt u hem inschakelen? @@ -5586,7 +5641,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - Instellingen @@ -5600,352 +5655,352 @@ This file is part of Sandboxie and all changed done to it will be reverted next Configuratiebescherming - + Auto Detection Autodetectie - + No Translation Geen vertaling - - - - Don't integrate links - - - As sub group + Don't integrate links + As sub group + + + + + Fully integrate - + Don't show any icon Don't integrate links Geen pictogram weergeven - + Show Plus icon Plus-pictogram weergeven - + Show Classic icon Klassiek pictogram weergeven - + All Boxes Alle boxen - + Active + Pinned Actief + vastgezet - + Pinned Only Alleen vastgezet - + Close to Tray Naar systeemvak sluiten - + Prompt before Close Vragen vóór sluiten - + Close Sluiten - + None - + Native - + Qt - + %1 %1 % %1 - + HwId: %1 - + Search for settings - - - + + + Run &Sandboxed Ge&sandboxt uitvoeren - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + Expires in: %1 days Expires: %1 Days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Uitgeschakeld - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Home - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Sandboxed Web Browser - - - - Notify - - - - - Ignore - - - - - Every Day - - - - - Every Week - - - - - Every 2 Weeks - - - - - Every 30 days - - - Download & Notify + Notify + + + + + Ignore + + + + + Every Day + + + + + Every Week + + + + + Every 2 Weeks + + + + + Every 30 days + Download & Notify + + + + + Download & Install - + Browse for Program Bladeren naar programma - + Add %1 Template - + Select font - + Reset font - + %0, %1 pt - + Please enter message - + Select Program Programma selecteren - + Executables (*.exe *.cmd) Uitvoerbare bestanden (*.exe *.cmd) - - + + Please enter a menu title Voer een menutitel in - + Please enter a command Voer een opdracht in - + kilobytes (%1) kilobytes (%1) - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. @@ -5954,117 +6009,117 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Dit ondersteunerscertificaat is vervallen. <a href="sbie://update/cert">Haal een bijgewerkt certificaat op</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Expired: %1 days ago - + Contributor - + Eternal - + Business - + Personal - + Great Patreon - + Patreon - + Family - + Evaluation - + Type %1 - + Advanced - + Advanced (L) - + Max Level - + Level %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. - + This certificate has unfortunately expired, you need to get a new certificate. - + <br />Plus features are no longer enabled. @@ -6073,22 +6128,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Dit ondersteunerscertificaat <font color='red'>vervalt over %1 dagen</font>. <a href="sbie://update/cert">Haal een bijgewerkt certificaat op</a>. - + Run &Un-Sandboxed Niet-gesandboxt uitvoeren - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. @@ -6101,7 +6156,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Dit certificaat is spijtig genoeg verouderd. - + Thank you for supporting the development of Sandboxie-Plus. Dank u voor uw steun aan de ontwikkeling van Sandboxie-Plus. @@ -6110,88 +6165,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Dit ondersteuningscertificaat is niet geldig. - + Update Available - + Installed - + by %1 - + (info website) - + This Add-on is mandatory and can not be removed. - - + + Select Directory Map selecteren - + <a href="check">Check Now</a> - + Please enter the new configuration password. Voer het nieuwe configuratiewachtwoord in - + Please re-enter the new configuration password. Voer het nieuwe configuratiewachtwoord opnieuw in - + Passwords did not match, please retry. Wachtwoorden komen niet overeen. Probeer het opnieuw. - + Process Proces - + Folder Map - + Please enter a program file name Voer een programma-bestandsnaam in - + Please enter the template identifier Voer de sjabloon-identifier in - + Error: %1 Fout: %1 - + Do you really want to delete the selected local template(s)? - + %1 (Current) @@ -6431,34 +6486,34 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. - + Save options as new defaults - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) - + This Sandbox will be saved to: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6466,19 +6521,19 @@ This box's content will be DISCARDED when its closed, and the box will be r - + This box will DISCARD its content when its closed, its suitable only for temporary data. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6486,13 +6541,13 @@ This box will run the MSIServer (*.msi installer service) with a system token, t - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6500,7 +6555,7 @@ Processes in this box will be running with a custom process token indicating the - + Failed to create new box: %1 @@ -7133,33 +7188,68 @@ If you are a great patreaon supporter already, sandboxie can check online for an - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption @@ -7216,108 +7306,109 @@ If you are a great patreaon supporter already, sandboxie can check online for an Sandbox-indicator in titel: - + Sandboxed window border: Rand van gesandboxt venster: - + Double click action: - + Separate user folders Gescheiden gebruikersmappen - + Box Structure - + Security Options - + Security Hardening - - - - - - + + + + + + + Protect the system from sandboxed processes Het systeem beschermen tegen gesandboxte processen - + Elevation restrictions Verheffing-beperkingen - + Drop rights from Administrators and Power Users groups Rechten ontnemen van administrator- en poweruser-groepen - + px Width px-breedte - + Make applications think they are running elevated (allows to run installers safely) Laat toepassingen denken dat ze "verheven" uitgevoerd worden (laat toe om installatiebestanden veilig uit te voeren) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. WAARSCHUWING: wanneer ze uitgevoerd worden onder de ingebouwde administrator, kunnen processen geen administratieve rechten ontnemen. - + Appearance Uiterlijk - + (Recommended) (aanbevolen) - + Show this box in the 'run in box' selection prompt Deze box weergeven in het selectievenster 'uitvoeren in box' - + File Options Bestandsopties - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Inhoud automatisch verwijderen wanneer het laatste gesandboxte proces beëindigt. - + Copy file size limit: Bestandsgrootte-limiet voor kopiëren: - + Box Delete options Verwijderopties box - + Protect this sandbox from deletion or emptying Deze sandbox beschermen tegen verwijderen of leegmaken @@ -7326,33 +7417,33 @@ If you are a great patreaon supporter already, sandboxie can check online for an Ruwe schijftoegang - - + + File Migration Bestandsmigratie - + Allow elevated sandboxed applications to read the harddrive "Verheven" gesandboxte toepassingen toestaan om de harde schijf te lezen - + Warn when an application opens a harddrive handle Waarschuwen wanneer een toepassing een harde-schijf-handle opent - + kilobytes kilobytes - + Issue message 2102 when a file is too large Bericht 2102 weergeven wanneer een bestand te groot is - + Prompt user for large file migration Gebruiker vragen voor migratie van grote bestanden @@ -7361,147 +7452,147 @@ If you are a great patreaon supporter already, sandboxie can check online for an Toegangsbeperkingen - + Allow the print spooler to print to files outside the sandbox De print spooler toestaan om bestanden buiten de sandbox af te drukken - + Remove spooler restriction, printers can be installed outside the sandbox Spooler-beperking verwijderen. Printers kunnen buiten de sandbox geïnstalleerd worden - + Block read access to the clipboard Leestoegang tot het klembord blokkeren - + Open System Protected Storage Beschermde opslag van systeem openen - + Block access to the printer spooler Toegang tot de printer-spooler blokkeren - + Other restrictions Andere beperkingen - + Printing restrictions Afdrukbeperkingen - + Network restrictions Netwerkbeperkingen - + Block network files and folders, unless specifically opened. Netwerkbestanden en -mappen blokkeren, tenzij ze specifiek worden geopend. - + Run Menu Uitvoeren-menu - + You can configure custom entries for the sandbox run menu. U kunt aangepaste items voor het sandbox-uitvoeren-menu configureren - - - - - - - - - - - - - + + + + + + + + + + + + + Name Naam - + Command Line Opdrachtregel - + Add program Programma toevoegen - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Verwijderen - + Program Control Programma-bediening - - - - - - - + + + + + + + Type Type - + Program Groups Programmagroepen - + Add Group Groep toevoegen - - - - - + + + + + Add Program Programma toevoegen @@ -7510,77 +7601,77 @@ If you are a great patreaon supporter already, sandboxie can check online for an Geforceerde programma's - + Force Folder Map forceren - - - + + + Path Pad - + Force Program Programma forceren - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Sjablonen weergeven - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Beveiligingsopmerking: "verheven" toepassingen die onder toezicht van Sandboxie uitgevoerd worden met een admin- of systeemtoken, hebben meer mogelijkheden om isolatie te omzeilen en het systeem buiten de sandbox te wijzigen. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required MSIServer toestaan om te draaien met een gesandboxt systeemtoken en andere uitzonderingen toepassen indien nodig - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Opmerking: Msi Installer Exemptions zou niet nodig moeten zijn, maar als u problemen ondervindt bij de installatie van een msi-pakket dat u vertrouwt, kan deze optie helpen de installatie tot een goed einde te brengen. U kunt ook proberen het laten vallen van administratorrechten uit te schakelen. - + General Configuration Algemene configuratie - + Box Type Preset: Boxtype-voorinstelling: - + Box info Box-info - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Meer types boxen</b> zijn exclusief beschikbaar voor <u>projectondersteuners</u>. De boxen met verbeterde privacy <b><font color='red'>beschermen gebruikersgegevens van ongeoorloofde toegang</font></b> door de gesandboxte programma's.<br />Als u nog geen ondersteuner bent, overweeg dan om <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">het project te ondersteunen</a>, om een <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">ondersteunercertificaat</a> te ontvangen.<br />U kunt de andere types boxen testen door nieuwe sandboxen van deze types te maken, maar processen hierin zullen na 5 minuten automatisch beëindigd worden. @@ -7594,33 +7685,33 @@ If you are a great patreaon supporter already, sandboxie can check online for an Administratorrechten - + Open Windows Credentials Store (user mode) Windows Credentials Store openen (gebruikersmodus) - + Prevent change to network and firewall parameters (user mode) Wijziging aan netwerk- en firewall-parameters voorkomen (gebruikersmodus) - + Issue message 2111 when a process access is denied - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. U kunt programma's samen groeperen en ze een groepsnaam geven. Programmagroepen kunnen gebruikt worden met een aantal instellingen in plaats van programma-namen. Groepen die gedefinieerd zijn voor de box overschrijven groepen die gedefinieerd zijn in sjablonen. - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Programma's die hier ingevoerd worden of programma's die gestart worden vanaf ingevoerde locaties zullen automatisch in deze sandbox gestoken worden tenzij ze expliciet gestart worden in een andere sandbox. - - + + Stop Behaviour Stop-gedrag @@ -7645,32 +7736,32 @@ If leader processes are defined, all others are treated as lingering processes.< Als leidende processen gedefinieerd zijn, worden alle andere als achterblijvende processen behandeld. - + Start Restrictions Start-beperkingen - + Issue message 1308 when a program fails to start Bericht 1308 weergeven wanneer een programma niet kan worden gestart - + Allow only selected programs to start in this sandbox. * Alleen geselecteerde programma's toestaan om in deze sandbox te starten. * - + Prevent selected programs from starting in this sandbox. Voorkomen dat geselecteerde programma's in deze sandbox starten. - + Allow all programs to start in this sandbox. Alle programma's toestaan om in deze sandbox te starten. - + * Note: Programs installed to this sandbox won't be able to start at all. *Opmerking: programma's die in deze sandbox geïnstalleerd zijn zullen helemaal niet kunnen starten. @@ -7679,239 +7770,260 @@ Als leidende processen gedefinieerd zijn, worden alle andere als achterblijvende Internetbeperkingen - + Process Restrictions Proces-beperkingen - + Issue message 1307 when a program is denied internet access Bericht 1307 weergeven wanneer een programma internettoegang geweigerd is - + Prompt user whether to allow an exemption from the blockade. Gebruiker vragen of een uitzondering van de blokkering toegestaan moet worden. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Opmerking: programma's die in deze sandbox geïnstalleerd zijn zullen helemaal geen toegang krijgen tot het internet. - - - - - - + + + + + + Access Toegang - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty - + Disk/File access - + Encrypt sandbox content - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + Partially checked means prevent box removal but not content deletion. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Store the sandbox content in a Ram Disk - + Set Password - + Virtualization scheme - + + Allow sandboxed processes to open files protected by EFS + + + + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only - + Issue message 2113/2114/2115 when a file is not fully migrated - + Add Pattern - + Remove Pattern - + Pattern - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. - + Using wildcard patterns file specific behavior can be configured in the list below: - + When a file cannot be migrated, open it in read-only mode instead - - + + Open access to Proxy Configurations + + + + + Move Up Omhoog verplaatsen - - + + Move Down Omlaag verplaatsen - + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Security Isolation - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. - + Disable Security Isolation - + Access Isolation - - + + Box Protection - + Protect processes within this box from host processes - + Allow Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Deny Process - + Use a Sandboxie login instead of an anonymous token - + Configure which processes can access Desktop objects like Windows and alike. - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Image Protection - + Issue message 1305 when a program tries to load a sandboxed dll - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox - + Dlls && Extensions - + Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -7919,358 +8031,364 @@ This is done to prevent rogue processes inside the sandbox from creating a renam - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. - + Advanced Security Adcanced Security - + Other isolation - + Privilege isolation - + Sandboxie token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. - + Force Programs - + Disable forced Process and Folder for this sandbox - + Breakout Programs - + Breakout Program - + Breakout Folder - + Force protection on mount - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Allow useful Windows processes access to protected processes - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + Only Administrator user accounts can make changes to this sandbox - + Job Object - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Create a new sandboxed token instead of stripping down the original token - + Drop ConHost.exe Process Integrity Level - + Force Children - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + Lingering Programs - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. - + Leader Programs - + If leader processes are defined, all others are treated as lingering processes. - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Files - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + Registry Register - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. - + Wnd - + Wnd Class Wnd-klasse - + COM - + Class Id - + Configure which processes can access COM objects. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) - + Access Policies - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. - + Network Options - + Set network/internet access for unlisted processes: Netwerk-/internettoegang instellen processen die niet in de lijst zitten: - + Test Rules, Program: Testregels, programma: - + Port: Poort: - + IP: IP: - + Protocol: Protocol: - + X X - + Add Rule Regel toevoegen - - - - - - - - - - + + + + + + + + + + Program Programma - - - - + + + + Action Actie - - + + Port Poort - - - + + + IP IP - + Protocol Protocol - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. WAARSCHUWING: Windows Filtering Platform is niet ingeschakeld met de driver. Daardoor zullen deze regels alleen toegepast worden in gebruikersmodus en kunnen ze niet geforceerd worden! Dit betekent dat kwaadaardige toepassingen ze kunnen omzeilen. - + Resource Access Brontoegang @@ -8287,124 +8405,124 @@ You can use 'Open for All' instead to make it apply to all programs, o U kunt in plaats daarvan 'open voor iedereen' gebruiken om het op alle programma's van toepassing te laten zijn, of dit gedrag wijzigen in het tabblad Beleid. - + Add File/Folder Bestand/map toevoegen - + Add Wnd Class Wnd Class toevoegen - + Add IPC Path IPC-pad toevoegen - + Add Reg Key Reg Key toevoegen - + Add COM Object COM-object toevoegen - + Bypass IPs - + File Recovery Bestandsherstel - + Quick Recovery - + Add Folder Map toevoegen - + Immediate Recovery - + Ignore Extension Extensie negeren - + Ignore Folder Map negeren - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Inschakelen dat onmiddellijk herstel bestanden kan herstellen van zodra ze aangemaakt worden. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. U kunt mappen en bestandstypes (of bestandextensies) uitsluiten van onmiddellijk herstel. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Wanneer de snel-herstel-functie ingeroepen wordt, worden de volgende mappen gecontroleerd op gesandboxte inhoud. - + Advanced Options Geavanceerde opties - + Miscellaneous Diverse - + Don't alter window class names created by sandboxed programs Vensterklasse-namen aangemaakt door gesandboxte programma's niet wijzigen - + Do not start sandboxed services using a system token (recommended) Gesandboxte services niet starten met een systeemtoken (aanbevolen) - - - - - - - + + + + + + + Protect the sandbox integrity itself Integriteit van de sandbox zelf beschermen - + Drop critical privileges from processes running with a SYSTEM token Verwijder kritieke privileges van processen die draaien met een SYSTEM-token - - + + (Security Critical) (beveiliging kritiek) - + Protect sandboxed SYSTEM processes from unprivileged processes Gesandboxte SYSTEM-processen beschermen tegen niet-geprivilegieerde processen @@ -8413,7 +8531,7 @@ U kunt in plaats daarvan 'open voor iedereen' gebruiken om het op alle Sandbox-isolatie - + Force usage of custom dummy Manifest files (legacy behaviour) Gebruik van aangepaste dummy-manifest-bestanden forceren (oud gedrag) @@ -8426,34 +8544,34 @@ U kunt in plaats daarvan 'open voor iedereen' gebruiken om het op alle Brontoegang-beleid - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. De regel-specificiteit is een maatstaf voor hoe goed een gegeven regel overeenkomt met een bepaald pad. Eenvoudig gezegd is de specificiteit de lengte van de tekens vanaf het begin van het pad tot en met de laatste overeenstemmende substring zonder wildcard. Een regel die alleen overeenstemt met bestandstypes zoals "*.tmp" zou de hoogste specificiteit hebben omdat hij altijd overeenstemt met het volledige bestandspad. Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificiteit en beschrijft hoe een regel van toepassing is op een gegeven proces. Regels die van toepassing zijn op procesnaam of groep hebben het sterkste overeenstemmingsniveau, gevolgd door het overeenstemmen door negatie (d.w.z. regels die van toepassing zijn op alle processen behalve het gegeven proces), terwijl de laagste overeenstemmingsniveaus globale overeenstemmingen hebben, d.w.z. regels die van toepassing zijn op gelijk welk proces. - + Prioritize rules based on their Specificity and Process Match Level Regels prioriteren op basis van hun specificiteit en procesovereenkomstniveau - + Privacy Mode, block file and registry access to all locations except the generic system ones Privacymodus, blokkeert de toegang tot bestanden en het register op alle locaties behalve de algemene systeemlocaties - + Access Mode Toegangmodus - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Wanneer de privacymodus is ingeschakeld, kunnen gesandboxte processen alleen C:\Windows, C:\Program Files en delen van het HKLM-register lezen. Alle andere locaties hebben expliciete toegang nodig om leesbaar en/of schrijfbaar te zijn. In deze modus is regelspecificiteit altijd ingeschakeld. - + Rule Policies Regel-beleid @@ -8462,23 +8580,23 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite Close...=!<program>,... regels ook toepassen op alle binaries die in de sandbox aanwezig zijn. - + Apply File and Key Open directives only to binaries located outside the sandbox. Bestand- en sleutel open directives alleen toepassen op binaries die zich buiten de sandbox bevinden. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) De gesandboxte RpcS'en als een SYSTEM-proces starten (niet aanbevolen) - + Allow only privileged processes to access the Service Control Manager Alleen processen met rechten toegang geven tot de Service Control Manager - - + + Compatibility Compatibiliteit @@ -8487,34 +8605,34 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite Open toegang tot COM-infrastructuur (niet aanbevolen) - + Add sandboxed processes to job objects (recommended) Gesandboxte processen aan job-objecten toevoegen (aanbevolen) - + Emulate sandboxed window station for all processes Gesandboxt venster station emuleren voor alle processen - + Allow use of nested job objects (works on Windows 8 and later) Allow use of nested job objects (experimental, works on Windows 8 and later) Gebruik van geneste job-objecten toestaan (experimenteel, wekt op Windows 8 en later) - + Isolation Isolatie - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Beveiligingsisolatie door het gebruik van een zwaar beperkt procestoken is de primaire manier van Sandboxie om sandboxbeperkingen af te dwingen. Wanneer dit uitgeschakeld is, werkt de box in de toepassingscompartimentenmodus, d.w.z. hij biedt niet langer betrouwbare beveiliging, alleen eenvoudige toepassingscompartimentering. - + Allow sandboxed programs to manage Hardware/Devices Gesandboxte programma's toestaan om hardware/apparaten te beheren @@ -8527,37 +8645,37 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite Verschillende geavanceerde isolatiefuncties kunnen de compatibiliteit van sommige toepassingen verbreken als u deze sandbox <b>NIET voor beveiliging</b> gebruikt, maar voor eenvoudige portabiliteit van toepassingen door het veranderen van deze opties, kunt u de compatibiliteit herstellen door wat beveiliging op te offeren. - + Open access to Windows Security Account Manager Toegang tot Windows security-account-manager openen - + Open access to Windows Local Security Authority Toegang tot Windows local-security-authority openen - + Security enhancements - + Use the original token only for approved NT system calls - + Restrict driver/device access to only approved ones - + Enable all security enhancements (make security hardened box) - + Allow to read memory of unsandboxed processes (not recommended) @@ -8566,27 +8684,27 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite COM/RPC - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Het gebruik van RpcMgmtSetComTimeout standaard uitschakelen (dit kan compatibiliteitsproblemen oplossen) - + Security Isolation & Filtering Beveiligingsisolatie en filtering - + Disable Security Filtering (not recommended) Beveiligingsfiltering uitschakelen (niet aanbevolen) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Beveiligingsfiltering gebruikt door Sandboxie om beperkingen op te leggen aan de toegang tot het bestandssysteem en het register, en om de toegang tot processen te beperken. - + The below options can be used safely when you don't grant admin rights. De onderstaande opties kunnen veilig gebruikt worden als u geen administratorrechten toekent. @@ -8595,41 +8713,41 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite Toegangsisolatie - + Triggers Triggers - + Event Gebeurtenis - - - - + + + + Run Command Opdracht uitvoeren - + Start Service Service starten - + These events are executed each time a box is started Deze gebeurtenissen worden uitgevoerd telkens wanneer een box wordt gestart - + On Box Start Bij starten van box - - + + These commands are run UNBOXED just before the box content is deleted Deze opdrachten worden NIET-GEBOXT uitgevoerd vlak voordat de inhoud van de box verwijderd wordt @@ -8638,17 +8756,17 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite Bij verwijderen van box - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Deze opdrachten worden alleen uitgevoerd wanneer een box geïnitialiseerd wordt. Om ze opnieuw te laten uitvoeren, moet de inhoud van de box verwijderd worden. - + On Box Init Bij initialisatie van de box - + Here you can specify actions to be executed automatically on various box events. Hier kunt u aangeven welke acties automatisch moeten worden uitgevoerd bij diverse boxgebeurtenissen. @@ -8657,32 +8775,32 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite Processen verbergen - + Add Process Processen toevoegen - + Hide host processes from processes running in the sandbox. Host-processen verbergen van processen die in de sandbox worden uitgevoerd. - + Don't allow sandboxed processes to see processes running in other boxes Gesandboxte processen niet toestaan om processen te zien die in andere boxen worden uitgevoerd - + Users Gebruikers - + Restrict Resource Access monitor to administrators only Brontoegang-monitor beperken tot alleen administrators - + Add User Gebruiker toevoegen @@ -8691,7 +8809,7 @@ Het proces-overeenstemmingsniveau heeft een hogere prioriteit dan de specificite Gebruiker verwijderen - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8700,23 +8818,23 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Opmerking: Instellingen voor geforceerde programma's en geforceerde mappen voor een zandbak zijn niet van toepassing op gebruikersaccounts die de zandbak niet kunnen gebruiken. - + Add Option - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. - + Option - + Tracing Traceren @@ -8726,22 +8844,22 @@ Opmerking: Instellingen voor geforceerde programma's en geforceerde mappen API call trace (logapi moet geïnstalleerd zijn in de sbie-map) - + Pipe Trace Pipe-trace - + Log all SetError's to Trace log (creates a lot of output) Alle SetErrors loggen naar trace-log (maakt veel uitvoer aan) - + Log Debug Output to the Trace Log Debug-uitvoer naar de trace-log loggen - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8764,127 +8882,127 @@ in plaats van "*". Ntdll syscall Trace (maakt veel uitvoer aan) - + File Trace Bestand-trace - + Disable Resource Access Monitor Brontoegang-monitor uitschakelen - + IPC Trace IPC-trace - + GUI Trace GUI-trace - + Resource Access Monitor Brontoegang-monitor - + Access Tracing Toegang-tracing - + COM Class Trace COM Class trace - + Key Trace Key-trace - - + + Network Firewall Netwerk-firewall - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + Syscall Trace (creates a lot of output) - + Debug Debug - + WARNING, these options can disable core security guarantees and break sandbox security!!! WAARSCHUWING, deze opties kunnen kernbeveiligingsgaranties uitschakelen en sandbox-beveiliging breken! - + These options are intended for debugging compatibility issues, please do not use them in production use. Deze opties zijn bedoeld voor het debuggen van compatibiliteitsproblemen, gebruik ze niet in productiegebruik. - + App Templates App-sjablonen @@ -8893,22 +9011,22 @@ in plaats van "*". Compatibiliteit-sjablonen - + Filter Categories Filter categorieën - + Text Filter Tekstfilter - + Add Template Sjabloon toevoegen - + This list contains a large amount of sandbox compatibility enhancing templates Deze lijst bevat een groot aantal sjablonen om sandbox-compatibiliteit te verbeteren @@ -8917,17 +9035,17 @@ in plaats van "*". Sjabloon verwijderen - + Category Categorie - + Template Folders Sjabloonmappen - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8936,277 +9054,277 @@ Please note that this values are currently user specific and saved globally for Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden opgeslagen voor alle boxen. - - + + Value Waarde - + Accessibility Toegankelijkheid - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Om te compenseren voor de verloren bescherming, raadpleeg de "rechten ontnemen"-instellingenpagina in de beperking-instellingen-groep. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Schermlezers: JAWS, NVDA, Window-Eyes, System Access - + Restrictions - + Various Options - + Apply ElevateCreateProcess Workaround (legacy behaviour) - + Use desktop object workaround for all processes - + This command will be run before the box content will be deleted - + On File Recovery - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked - + Run File Checker - + On Delete Content - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + Protect processes in this box from being accessed by specified unsandboxed host processes. - - + + Process Proces - + Other Options - + Port Blocking - + Block common SAMBA ports - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Resolve hostnames via proxy - + Block DNS, UDP port 53 - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Total Processes Memory Limit: - + Single Process Memory Limit: - + Restart force process before they begin to execute - + On Box Terminate - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + API call Trace (traces all SBIE hooks) - + DNS Request Logging - + Templates - + Open Template - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. De volgende instellingen schakelen het gebruik van Sandboxie in combinatie met toegankelijkheidssoftware in. Merk op dat sommige beschermingsmaatregelen van Sandboxie noodzakelijk verloren gaan wanneer deze instellingen van toepassing zijn. - + Edit ini Section Ini-sectie bewerken - + Edit ini Ini bewerken - + Cancel Annuleren - + Save Opslaan @@ -9222,7 +9340,7 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op ProgramsDelegate - + Group: %1 Groep: %1 @@ -9230,7 +9348,7 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op QObject - + Drive %1 Schijf %1 @@ -9238,27 +9356,27 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op QPlatformTheme - + OK Ok - + Apply Toepassen - + Cancel Annuleren - + &Yes Ja - + &No Nee @@ -9271,7 +9389,7 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op SandboxiePlus - Herstel - + Close Sluiten @@ -9291,27 +9409,27 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op Inhoud verwijderen - + Recover Herstellen - + Refresh Vernieuwen - + Delete - + Show All Files Alle bestanden weergeven - + TextLabel Tekstlabel @@ -9377,18 +9495,18 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op Algemene configuratie - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Herstelvenster eerst weergeven bij het leegmaken van sandboxen - + Open urls from this ui sandboxed URL's van deze UI gesandboxt openen - + Systray options Systeemvak-opties @@ -9398,27 +9516,27 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op UI-taal: - + Shell Integration Shell-integratie - + Run Sandboxed - Actions Gesandboxt uitvoeren - acties - + Start Sandbox Manager Sandbox Manager starten - + Start UI when a sandboxed process is started UI starten wanneer een gesandboxt proces wordt gestart - + On main window close: Bij sluiten van hoofdvenster: @@ -9435,77 +9553,77 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op Meldingen weergeven voor relevante logberichten - + Start UI with Windows UI samen met Windows starten - + Add 'Run Sandboxed' to the explorer context menu 'Gesandboxt uitvoeren' toevoegen aan het contextmenu van verkenner - + Run box operations asynchronously whenever possible (like content deletion) Box-handelingen zoveel mogelijk asynchroon uitvoeren (zoals het verwijderen van inhoud) - + Hotkey for terminating all boxed processes: Sneltoets voor het beëindigen van alle geboxte processen: - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - + Show boxes in tray list: Boxen weergeven in systeemvak-lijst: - + Always use DefaultBox Altijd standaard box gebruiken - + Add 'Run Un-Sandboxed' to the context menu 'Niet-gesandboxt uitvoeren' toevoegen aan het contextmenu - + Show a tray notification when automatic box operations are started Een systeemvak-melding weergeven wanneer automatische box-bewerkingen gestart worden - + * a partially checked checkbox will leave the behavior to be determined by the view mode. - + Advanced Config Geavanceerde configuratie - + Activate Kernel Mode Object Filtering Kernel-mode objectfiltering inschakelen - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Sandbox <a href="sbie://docs/filerootpath">bestandssysteem-root</a>: - + Clear password when main window becomes hidden Wachtwoord wissen wanneer het hoofdvenster verborgen wordt @@ -9514,22 +9632,22 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op Gescheiden gebruikersmappen - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Sandbox <a href="sbie://docs/ipcrootpath">ipc-root</a>: - + Sandbox default Sandbox-standaard - + Config protection Config-bescherming - + ... ... @@ -9539,392 +9657,392 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op - + Notifications - + Add Entry - + Show file migration progress when copying large files into a sandbox - + Message ID - + Message Text (optional) - + SBIE Messages - + Delete Entry - + Notification Options - + Windows Shell - + Move Up Omhoog verplaatsen - + Move Down Omlaag verplaatsen - + Show overlay icons for boxes and processes - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list - - + + Interface Options Display Options - + Ini Editor Font - + Graphic Options - + Select font - + Reset font - + Ini Options - + # - + Terminate all boxed processes when Sandman exits - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + External Ini Editor - + Add-Ons Manager - + Optional Add-Ons - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - + Status Status - + Version - + Description - + <a href="sbie://addons">update add-on list now</a> - + Install - + Add-On Configuration - + Enable Ram Disk creation - + kilobytes kilobytes - + Assign drive letter to Ram Disk - + Disk Image Support - + RAM Limit - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Hotkey for bringing sandman to the top: - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Integrate with Host Desktop - + System Tray - + Open/Close from/to tray with a single click - + Minimize to tray - + Hide SandMan windows from screen capture (UI restart required) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + Sandboxie Support - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) - + Get - + Retrieve/Upgrade/Renew certificate using Serial Number - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. - + SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + Update Settings - + New full installers from the selected release channel. - + Full Upgrades - + Update Check Interval - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Sandbox <a href="sbie://docs/keyrootpath">register-root</a>: - + Sandboxing features Sandboxing-functies - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + Sandboxie.ini Presets - + Change Password Wachtwoord wijzigen - + Password must be entered in order to make changes Wachtwoord moet opgegeven worden om wijzigingen te maken - + Only Administrator user accounts can make changes Alleen administrator-gebruikersaccounts kunnen wijzigingen maken - + Watch Sandboxie.ini for changes Wijzigingen in Sandboxie.ini opvolgen - + USB Drive Sandboxing - + Volume - + Information - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + App Templates App-sjablonen - + App Compatibility @@ -9934,12 +10052,12 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op Alleen administrator-gebruikersaccounts kunnen de opdracht gebruiken om regels voor geforceerde programma's te pauzeren. - + Portable root folder Draagbare root-map - + Show recoverable files as notifications Herstelbare bestanden als meldingen weergeven @@ -9949,302 +10067,312 @@ Merk op dat deze waarden momenteel gebruikersspecifiek zijn en globaal worden op Algemene opties - + Show Icon in Systray: Pictogram in systeemvak weergeven: - + Use Windows Filtering Platform to restrict network access Windows Filtering Platform gebruiken om netwerktoegang te beperken - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Geselecteerde Win32k system calls hooken om GPU-versnelling in te schakelen (experimenteel) - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox - + Use Compact Box List - + Interface Config - + Make Box Icons match the Border Color - + Use a Page Tree in the Box Options instead of Nested Tabs * - + Use large icons in box list * - + High DPI Scaling - + Don't show icons in menus * - + Use Dark Theme - + Font Scaling - + (Restart required) - + Show the Recovery Window as Always on Top - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* - + % - + Alternate row background in lists - + Use Fusion Theme - + Program Control Programma-bediening - - - - - + + + + + Name Naam - + Path Pad - + Remove Program Programma verwijderen - + Add Program Programma toevoegen - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Wanneer een van de volgende programma's gestart wordt buiten een sandbox, zal Sandboxie bericht SBIE1301 weergeven. - + Add Folder Map toevoegen - + Prevent the listed programs from starting on this system Voorkomen dat programma's in de lijst gestart worden op dit systeem - + Issue message 1308 when a program fails to start Bericht 1308 weergeven wanneer een programma niet kan worden gestart - + Recovery Options - + Start Menu Integration - + Scan shell folders and offer links in run menu - + Integrate with Host Start Menu - + Use new config dialog layout * - + HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + Sandboxie Updater - + Keep add-on list up to date - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. - + Search in the Insider channel - + Check periodically for new Sandboxie-Plus versions - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> - + Keep Troubleshooting scripts up to date - + Use a Sandboxie login instead of an anonymous token - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Always run SandMan UI as Admin - + Program Alerts - + Issue message 1301 when forced processes has been disabled - + Sandboxie Config Config Protection Configuratiebescherming - + This option also enables asynchronous operation when needed and suspends updates. - + Suppress pop-up notifications when in game / presentation mode - + User Interface - + Run Menu Uitvoeren-menu - + Add program Programma toevoegen - + You can configure custom entries for all sandboxes run menus. - - - + + + Remove Verwijderen - + Command Line Opdrachtregel - + Support && Updates - + Default sandbox: - + Only Administrator user accounts can use Pause Forcing Programs command @@ -10253,67 +10381,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, Compatibiliteit - + In the future, don't check software compatibility Software-compatibiliteit in de toekomst niet controleren - + Enable Inschakelen - + Disable Uitschakelen - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie heeft de volgende softwaretoepassingen op uw systeem gedetecteerd. Klik op OK om configuratie-instellingen toe te passen die de compatibiliteit met deze toepassingen zullen verbeteren. Deze configuratie-instellingen zullen effect hebben in alle bestaande sandboxen en in alle nieuwe sandboxen. - + Local Templates - + Add Template Sjabloon toevoegen - + Text Filter Tekstfilter - + This list contains user created custom templates for sandbox options - + Open Template - + Edit ini Section Ini-sectie bewerken - + Save Opslaan - + Edit ini Ini bewerken - + Cancel Annuleren @@ -10322,13 +10450,13 @@ Unlike the preview channel, it does not include untested, potentially breaking, Ondersteuning - + Incremental Updates Version Updates - + Hotpatches for the installed version, updates to the Templates.ini and translations. @@ -10337,22 +10465,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Dit ondersteunerscertificaat is vervallen. <a href="sbie://update/cert">Haal een bijgewerkt certificaat op</a>. - + The preview channel contains the latest GitHub pre-releases. - + The stable channel contains the latest stable GitHub releases. - + Search in the Stable channel - + Search in the Preview channel @@ -10361,12 +10489,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie up-to-date houden met de voortschrijdende releases van Windows en compatibel houden met alle webbrowsers is een nooit eindigende onderneming. Overweeg om dit werk te steunen met een donatie.<br />U kunt de ontwikkeling steunen met een <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal-donatie</a>, die ook met kredietkaarten werkt.<br />U kunt ook doorlopende ondersteuning bieden met een <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon-abonnement</a>. - + In the future, don't notify about certificate expiration In de toekomst geen melding maken over het verlopen van certificaten - + Enter the support certificate here Voer het ondersteuningscertificaat hier in @@ -10405,37 +10533,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, Naam: - + Description: Beschrijving: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Wanneer de inhoud van een snapshot wordt verwijderd, zal het naar deze snapshot worden teruggebracht in plaats van naar geen enkele. - + Default snapshot Standaard snapshot - + Snapshot Actions Snapshot-acties - + Remove Snapshot Snapshot verwijderen - + Go to Snapshot Naar snapshot gaan - + Take Snapshot Snapshot nemen diff --git a/SandboxiePlus/SandMan/sandman_pl.ts b/SandboxiePlus/SandMan/sandman_pl.ts index bebcb877..1301c27c 100644 --- a/SandboxiePlus/SandMan/sandman_pl.ts +++ b/SandboxiePlus/SandMan/sandman_pl.ts @@ -9,53 +9,53 @@ Forma - + kilobytes kilobajtów - + Protect Box Root from access by unsandboxed processes Ochrona Box Root przed dostępem procesów nieobjętych sandboxem - - + + TextLabel Etykieta - + Show Password Wyświetl hasło - + Enter Password Wpisz hasło - + New Password Nowez hasło - + Repeat Password Powtórz hasło - + Disk Image Size Rozmiar obrazu dysku - + Encryption Cipher szyfrowanie szyfru - + Lock the box when all processes stop. @@ -63,75 +63,75 @@ CAddonManager - + Do you want to download and install %1? Czy chcesz pobrać i zainstalować %1? - + Installing: %1 Instalacja: %1 - + Add-on not found, please try updating the add-on list in the global settings! Addon not found, please try updating the addon list in the global settings! Nie znaleziono dodatku, spróbuj zaktualizować listę dodatków w ustawieniach globalnych! - + Add-on Not Found Addon Not Found Nie znaleziono dodatku - + Add-on is not available for this platform Addon is not available for this platform Dodatek nie jest dostępny dla tej platformy - + Missing installation instructions Missing instalation instructions Brakujące instrukcje instalacji - + Executing add-on setup failed Executing addon setup failed Wykonanie konfiguracji dodatku nie powiodło się - + Failed to delete a file during add-on removal Failed to delete a file during addon removal Nie udało się usunąć pliku podczas usuwania dodatku - + Updater failed to perform add-on operation Updater failed to perform addon operation Aktualizator nie wykonał operacji na dodatku - + Updater failed to perform add-on operation, error: %1 Updater failed to perform addon operation, error: %1 Aktualizator nie wykonał operacji dodatku, błąd: %1 - + Do you want to remove %1? Czy chcesz usunąć %1? - + Removing: %1 Usuwanie: %1 - + Add-on not found! Addon not found! Nie znaleziono dodatku! @@ -140,12 +140,12 @@ CAdvancedPage - + Advanced Sandbox options Zaawansowane opcje piaskownicy - + On this page advanced sandbox options can be configured. Na tej stronie można skonfigurować zaawansowane opcje piaskownicy. @@ -196,34 +196,34 @@ Użyj loginu Sandboxie zamiast anonimowego tokena - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Zapobieganie ładowaniu dll'ów z piaskownicy przez programy zainstalowane na hoście - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. Ta funkcja może zmniejszyć kompatybilność, ponieważ zapobiega również zapisywaniu procesów zlokalizowanych w boksie do procesów zlokalizowanych na hoście, a nawet ich uruchamianiu. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -231,52 +231,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Wyłączone - + Advanced Options Opcje zaawansowane - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -395,17 +405,17 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Wprowadź hasła szyfrowania do importu archiwum: - + kilobytes (%1) kilobajty (%1) - + Passwords don't match!!! Hasła nie pasują!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -414,14 +424,14 @@ It is recommended to choose a password consisting of 20 or more characters. Are Zaleca się wybieranie hasła składającego się z 20 lub więcej znaków. Czy na pewno chcesz używać krótkiego hasła? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. Obraz dyskowy boksu musi mieć rozmiar co najmniej 256 MB, zalecane są 2 GB. @@ -437,22 +447,22 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox Utwórz nową piaskownicę - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. Piaskownica izoluje system hosta od procesów uruchomionych w piaskownicy, uniemożliwiając im wprowadzanie trwałych zmian w innych programach i danych na komputerze. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Piaskownica izoluje system hosta od procesów uruchomionych wewnątrz boksu, uniemożliwia im dokonywanie trwałych zmian w innych programach i danych w komputerze. Poziom izolacji ma wpływ na bezpieczeństwo użytkownika oraz kompatybilność z aplikacjami, dlatego też w zależności od wybranego Typu Boksu, poziom izolacji będzie różny. Sandboxie może również chronić dane osobowe użytkownika przed dostępem do nich przez procesy działające pod jego nadzorem. - + Enter box name: Podaj nazwę boksu: @@ -461,18 +471,18 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a Nowy boks - + Select box type: Sellect box type: Wybierz typ skrzynki: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/security-mode">Wzmocnione zabezpieczenia</a> Piaskownica z <a href="sbie://docs/privacy-mode">Ochroną danych</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -481,64 +491,64 @@ The entire user profile remains hidden, ensuring maximum security. Cały profil użytkownika pozostaje ukryty, zapewniając maksymalne bezpieczeństwo. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox <a href="sbie://docs/security-mode">Zaawansowane zabezpieczenia</a> Piaskownica - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Ten typ skrzynki oferuje najwyższy poziom ochrony poprzez znaczne ograniczenie obszaru ataku narażonego na procesy w piaskownicy. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Piaskownica z <a href="sbie://docs/privacy-mode">ochroną danych</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. W tym typie pola procesy działające w trybie piaskownicy nie mają dostępu do jakichkolwiek osobistych plików ani danych użytkownika. Koncentrujemy się na ochronie danych użytkowników i jako takie, tylko katalogi C:\Windows i C:\Program Files są dostępne dla procesów działających w tym obszarze izolowanym. Dzięki temu pliki osobiste pozostają bezpieczne. - + Standard Sandbox Standardowa piaskownica - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Ten typ boksu oferuje domyślne zachowanie klasycznego Sandboxie. Zapewnia użytkownikom znajomy i niezawodny schemat piaskownicy. Aplikacje mogą być uruchamiane w tej piaskownicy, zapewniając, że działają w kontrolowanej i odizolowanej przestrzeni. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/compartment-mode">Przedział aplikacji</a> Boks z <a href="sbie://docs/privacy-mode">Ochroną danych</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Ten typ boksu priorytetowo traktuje kompatybilność, zapewniając jednocześnie dobry poziom izolacji. Jest przeznaczony do uruchamiania zaufanych aplikacji w oddzielnych przedziałach. Chociaż poziom izolacji jest zmniejszony w porównaniu do innych typów skrzynek, oferuje lepszą kompatybilność z szeroką gamą aplikacji, zapewniając płynne działanie w środowisku piaskownicy. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">Przedział aplikacji</a> Boks - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">Zaszyfruj</a> zawartość boksu i ustaw <a href="sbie://docs/black-box">Poufne</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -547,42 +557,42 @@ Dostęp do wirtualnego dysku po zamontowaniu jest ograniczony do programów dzia Zapewnia to najwyższy poziom prywatności i ochrony danych w poufnym środowisku piaskownicy. - + Hardened Sandbox with Data Protection Wzmocniona piaskownica z ochroną danych - + Security Hardened Sandbox Wzmocniona ochrona piaskownicy - + Sandbox with Data Protection Piaskownica z ochroną danych - + Standard Isolation Sandbox (Default) Piaskownica izolowana standardowo (domyślnie) - + Application Compartment with Data Protection Komora aplikacji z ochroną danych - + Application Compartment Box Boks z przegródkami na aplikacje - + Confidential Encrypted Box Poufna szyfrowany boks - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? Aby korzystać z zaszyfrowanych skrzynek, musisz zainstalować sterownik ImDisk, czy chcesz go pobrać i zainstalować? @@ -592,17 +602,17 @@ Zapewnia to najwyższy poziom prywatności i ochrony danych w poufnym środowisk Komora aplikacji (bez izolacji) - + Remove after use Usuń po użyciu - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Po zakończeniu ostatniego procesu w boksie, wszystkie dane w nim zawarte zostaną usunięte, a sam boks zostanie usunięta. - + Configure advanced options Skonfiguruj opcje zaawansowane @@ -894,36 +904,64 @@ Możesz kliknąć Zakończ, aby zamknąć tego kreatora. Sandboxie-Plus - Sandbox Eksport - + + 7-Zip + + + + + Zip + + + + Store Skład - + Fastest Najszybszy - + Fast Szybki - + Normal Normalna - + Maximum Maksimum - + Ultra Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + Wybierz katalog + + + + This name is already in use, please select an alternative box name + Ta nazwa jest już używana, proszę wybrać alternatywną nazwę boksu + + CFileBrowserWindow @@ -994,13 +1032,13 @@ Możesz kliknąć Zakończ, aby zamknąć tego kreatora. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure Lokalizacja i zachowanie piaskownicy - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -1009,64 +1047,64 @@ You can use %USER% to save each users sandbox to an own fodler. Możesz użyć %USER%, aby zapisać piaskownicę każdego użytkownika w jego własnym folderze. - + Sandboxed Files Pliki w piaskownicy - + Select Directory Wybierz katalog - + Virtualization scheme Schemat wirtualizacji - + Version 1 Wersja 1 - + Version 2 Wersja 2 - + Separate user folders Oddziel foldery użytkowników - + Use volume serial numbers for drives Użyj numerów seryjnych woluminów dla napędów - + Auto delete content when last process terminates Automatycznie usuwaj zawartość po zakończeniu ostatniego procesu - + Enable Immediate Recovery of files from recovery locations Włącz natychmiastowe odzyskiwanie plików z lokalizacji odzyskiwania - + The selected box location is not a valid path. The sellected box location is not a valid path. Wybrana lokalizacja skrzynki nie jest prawidłową ścieżką. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? Wybrana lokalizacja skrzynki istnieje i nie jest pusta, zaleca się wybrać nowy lub pusty folder. Czy na pewno chcesz użyć istniejącego folderu? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. Wybrana lokalizacja skrzynki nie została umieszczona na aktualnie dostępnym dysku. @@ -1212,83 +1250,83 @@ Możesz użyć %USER%, aby zapisać piaskownicę każdego użytkownika w jego w CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access Dostęp do sieci - + Allow network/internet access Zezwalaj na dostęp do sieci/internetu - + Block network/internet by denying access to Network devices Zablokuj sieć/internet, odmawiając dostępu urządzeniom sieciowym - + Block network/internet using Windows Filtering Platform Zablokuj sieć/internet przy użyciu platformy filtrującej Windows - + Allow access to network files and folders Zezwól na dostęp do plików i folderów sieciowych - - + + This option is not recommended for Hardened boxes Ta opcja nie jest zalecana dla wzmocnionych boksów - + Prompt user whether to allow an exemption from the blockade - + Admin Options Opcje administratora - + Drop rights from Administrators and Power Users groups Porzuć prawa z grup Administratorzy i Użytkownicy Zaawansowani - + Make applications think they are running elevated Spraw, by aplikacje reagowały jakby były uruchomione z podwyższonym poziomem uprawnień - + Allow MSIServer to run with a sandboxed system token Zezwól na uruchamianie MSIServer z tokenem systemowym w trybie piaskownicy - + Box Options Opcje piaskownicy - + Use a Sandboxie login instead of an anonymous token Użyj loginu Sandboxie zamiast anonimowego tokena - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Użycie niestandardowego tokena sandboxie pozwala na lepsze odizolowanie poszczególnych sandboxów od siebie, a także pokazuje w kolumnie użytkownika w menedżerach zadań nazwę sandboxa, do którego należy dany proces. Niektóre rozwiązania bezpieczeństwa firm trzecich mogą jednak mieć problemy z niestandardowymi tokenami. @@ -1394,24 +1432,25 @@ Możesz użyć %USER%, aby zapisać piaskownicę każdego użytkownika w jego w Zawartość tej piaskownicy zostanie umieszczona w zaszyfrowanym pliku kontenera. Należy pamiętać, że jakiekolwiek uszkodzenie nagłówka kontenera spowoduje, że cała jego zawartość będzie trwale niedostępna. Uszkodzenie może wystąpić w wyniku BSOD, awarii sprzętu pamięci masowej lub złośliwej aplikacji nadpisującej losowe pliki. Ta funkcja jest dostępna zgodnie ze ścisłą polityką <b>No Backup No Mercy</b>. TY, użytkownik, jesteś odpowiedzialny za dane, które umieściłeś w zaszyfrowanej skrzynce. <br /><br />JEŚLI ZGADZASZ SIĘ NA BIERZEĆ PEŁNĄ ODPOWIEDZIALNOŚĆ ZA SWOJE DANE, NACIŚNIJ [TAK], W INNYM wypadku NACIŚNIJ [NIE]. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. Nowa piaskownica została utworzona przy użyciu nowego <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Schemat Wirtualizacji Wersja 2</a>, jeśli wystąpią jakieś nieoczekiwane problemy z tym boksem, proszę przełączyć się na Schemat Wirtualizacji Wersja 1 i zgłosić problem. Opcja zmiany tego ustawienia wstępnego znajduje się w Opcjach boksu w grupie Struktura boksu. - + Don't show this message again. Nie pokazuj ponownie tej wiadomości. @@ -1427,7 +1466,7 @@ Możesz użyć %USER%, aby zapisać piaskownicę każdego użytkownika w jego w COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1436,38 +1475,38 @@ Do you still want to update? Czy nadal chcesz dokonać aktualizacji? - + Do you want to check if there is a new version of Sandboxie-Plus? Czy chcesz sprawdzić, czy istnieje nowa wersja Saidboxie-Plus? - + Don't show this message again. Nie pokazuj ponownie tej wiadomości. - + Checking for updates... Szukanie aktualizacji… - + server not reachable serwer nieosiągalny - - + + Failed to check for updates, error: %1 Błąd przy szukaniu aktualizacji: %1 - + <p>Do you want to download the installer?</p> <p>Czy chcesz pobrać instalator?</p> - + <p>Do you want to download the updates?</p> <p>Czy chcesz pobrać aktualizacje?</p> @@ -1476,70 +1515,70 @@ Czy nadal chcesz dokonać aktualizacji? <p>Czy chcesz przejść do <a href="%1">strony z aktualizacjami</a>?</p> - + Don't show this update anymore. Nie pokazuj więcej tej aktualizacji. - + Downloading updates... Pobieranie aktualizacji... - + invalid parameter nieprawidłowy parametr - + failed to download updated information failed to download update informations nie udało się pobrać zaktualizowanych informacji - + failed to load updated json file failed to load update json file nie udało się załadować zaktualizowanego pliku json - + failed to download a particular file nie udało się pobrać konkretnego pliku - + failed to scan existing installation nie udało się przeskanować istniejącej instalacji - + updated signature is invalid !!! update signature is invalid !!! zaktualizowany podpis jest nieważny! - + downloaded file is corrupted pobrany plik jest uszkodzony - + internal error błąd wewnętrzny - + unknown error nieznany błąd - + Failed to download updates from server, error %1 Nie udało się pobrać aktualizacji z serwera, błąd %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Uaktualnienia dla Sandboxie-Plus zostały pobrane.</p><p>Czy chcesz zastosować te aktualizacje? Jeśli jakieś programy są uruchomione w piaskownicy, zostaną zakończone.</p> @@ -1548,7 +1587,7 @@ Czy nadal chcesz dokonać aktualizacji? Nie udało się pobrać pliku z: %1 - + Downloading installer... Pobieranie instalatora... @@ -1557,17 +1596,17 @@ Czy nadal chcesz dokonać aktualizacji? Nie udało się pobrać instalatora z: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Nowy instalator Sandboxie-Plus został pobrany do następującej lokalizacji:</p><p><a href="%2">%1</a></p><p>Czy chcesz rozpocząć instalację? Jeśli jakieś programy są uruchomione w piaskownicy, zostaną zakończone.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Czy chcesz otworzyć <a href="%1">stronę informacyjną</a>?</p> - + Don't show this announcement in the future. Nie pokazuj jego ogłoszenia w przyszłości. @@ -1576,7 +1615,7 @@ Czy nadal chcesz dokonać aktualizacji? <p>Nowa wersja Sandboxie-Plus jest dostępna.<br /><font color='red'>Nowa wersja:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Nowa wersja Sandboxie-Plus jest dostępna.<br /><font color='red'><b>Nowa wersja:</b></font> <b>%1</b></p> @@ -1585,7 +1624,7 @@ Czy nadal chcesz dokonać aktualizacji? <p>Czy chcesz pobrać najnowszą wersję?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Czy chcesz otworzyć <a href="%1">stronę pobierania</a>?</p> @@ -1594,7 +1633,7 @@ Czy nadal chcesz dokonać aktualizacji? Nie pokazuj tej aktualizacji w przyszłości. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1630,138 +1669,138 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap COptionsWindow - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' Ustawienia - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Włącz użycie haków win32 dla wybranych procesów. Uwaga: Musisz najpierw włączyć globalnie obsługę haków syscall Win32k. - + Enable crash dump creation in the sandbox folder Włącz tworzenie zrzutu awaryjnego w folderze piaskownicy - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Zawsze używaj poprawki ElevateCreateProcess, jaką czasami stosuje Asystent zgodności z programem. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes I am not familiar with the term "edge fix" other than the glue that seals the edges. If it refers to a browser, it should be a capital letter, meaning Edge. Włącz specjalne niespójne zachowanie PreferExternal Manifest, jeśli jest to konieczne w przypadku niektórych poprawek krawędzi - + Set RpcMgmtSetComTimeout usage for specific processes Ustawienie użycia RpcMgmtSetComTimeout dla określonych procesów - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. How to understand it without an example? Sprawia, że wywołanie zapisu otwartego do pliku, który nie zostanie skopiowany, kończy się niepowodzeniem, zamiast zmieniać go w tryb tylko do odczytu. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. Spraw, by określone procesy uważały, że mają uprawnienia administratora. - + Force specified processes to wait for a debugger to attach. Zmuszaj określone procesy do oczekiwania na dołączenie debuggera. - + Sandbox file system root Główny system plików piaskownicy - + Sandbox registry root Główny rejestr piaskownicy - + Sandbox ipc root Główny ipc piaskownicy - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: Dodaj opcję specjalną: - - + + On Start Uruchom Start - - - - - + + + + + Run Command Uruchom polecenie - + Start Service Uruchom usługę - + On Init Uruchom Init - + On File Recovery O odzyskiwaniu plików - + On Delete Content Uruchom, Usuń zawartość - + On Terminate - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1770,31 +1809,31 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Uruchom kasowanie - - - - - + + + + + Please enter the command line to be executed Wprowadź wiersz polecenia do wykonania - + Please enter a program file name to allow access to this sandbox Wprowadź nazwę pliku programu, aby zezwolić na dostęp do tej piaskownicy - + Please enter a program file name to deny access to this sandbox Wprowadź nazwę pliku programu, aby odmówić dostępu do tej piaskownicy - + Deny Odmowa - + %1 (%2) %1 (%2) @@ -1878,127 +1917,127 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Komora aplikacji - + Custom icon Własna ikona - + Version 1 Wersja 1 - + Version 2 Wersja 2 - + Browse for Program Przeglądaj w poszukiwaniu programu - + Open Box Options Otwórz opcje boksa - + Browse Content Przeglądaj zawartość - + Start File Recovery Zacznij odzyskiwanie plików - + Show Run Dialog Pokaż okno dialogowe - + Indeterminate Nieokreślony - + Backup Image Header Nagłówek obrazu kopii zapasowej - + Restore Image Header Przywróć nagłówek obrazu - + Change Password Zmień hasło - - + + Always copy Zawsze kopiuj - - + + Don't copy Nie kopiuj - - + + Copy empty Kopiuj puste - + The image file does not exist Plik obrazu nie istnieje - + The password is wrong Hasło jest nieprawidłowe - + Unexpected error: %1 Nieoczekiwany błąd: %1 - + Image Password Changed Zmieniono hasło obrazu - + Backup Image Header for %1 Nagłówek obrazu kopii zapasowej dla %1 - + Image Header Backuped Zarchiwizowany nagłówek obrazu - + Restore Image Header for %1 Przywróć nagłówek obrazu dla %1 - + Image Header Restored Przywrócony nagłówek obrazu - - + + Browse for File Przeglądaj w poszukiwaniu pliku @@ -2009,62 +2048,62 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Przeglądaj w poszukiwaniu folderu - + File Options Opcje plików - + Grouping Grupowanie - + Add %1 Template Dodaj %1 szablon - + Search for options Szukaj opcji - + Box: %1 Boks: %1 - + Template: %1 Szablon: %1 - + Global: %1 Globalny: %1 - + Default: %1 Domyślny: %1 - + This sandbox has been deleted hence configuration can not be saved. Ta piaskownica została usunięta, dlatego nie można zapisać konfiguracji. - + Some changes haven't been saved yet, do you really want to close this options window? Niektóre ustawienia nie zostały jeszcze zapisane, czy naprawdę chcesz zamknąć ustawienia? - + kilobytes (%1) kilobajty (%1) - + Select color Wybierz kolor @@ -2073,7 +2112,7 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Proszę podać ścieżkę programu - + Select Program Wybierz program @@ -2082,7 +2121,7 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Programy (*.exe *.cmd);;Wszystkie pliki (*.*) - + Please enter a service identifier Proszę wpisać identyfikator usługi @@ -2095,28 +2134,28 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Program - + Executables (*.exe *.cmd) Programy (*.exe *.cmd) - - + + Please enter a menu title Proszę wpisać tytuł menu - + Please enter a command Proszę wpisać polecenie - - + + - - + + @@ -2129,7 +2168,7 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Proszę wpisać nazwę nowej grupy - + Enter program: Podaj program: @@ -2139,46 +2178,72 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Proszę najpierw wybrać grupę. - - + + Process Proces - - + + Folder Folder - + Children - - - + + Document + + + + + + Select Executable File Wybierz plik wykonywalny - - - + + + Executable Files (*.exe) Pliki wykonywalne (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? Wymuszenie określonego wpisu najprawdopodobniej zepsuje system Windows, czy na pewno chcesz kontynuować? - - + + Select Directory @@ -2325,13 +2390,13 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Wszystkie pliki(*.*) - + - - - - + + + + @@ -2367,8 +2432,8 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap - - + + @@ -2563,7 +2628,7 @@ Wybierz folder, który zawiera ten plik. - + Allow @@ -2636,12 +2701,12 @@ Wybierz folder, który zawiera ten plik. CPopUpProgress - + Dismiss Odrzuć - + Remove this progress indicator from the list Usuń ten wskaźnik postępu z listy @@ -2649,42 +2714,42 @@ Wybierz folder, który zawiera ten plik. CPopUpPrompt - + Remember for this process Zapamiętaj ten proces - + Yes Tak - + No Nie - + Terminate Zakończyć - + Yes and add to allowed programs Tak i dodaj do dopuszczonych programów - + Requesting process terminated Proces został zakończony - + Request will time out in %1 sec Zapytanie upłynie za %1 sekund - + Request timed out Upłynął limit czasu zapytania @@ -2692,67 +2757,67 @@ Wybierz folder, który zawiera ten plik. CPopUpRecovery - + Recover to: Przywróć do: - + Browse Przeglądaj - + Clear folder list Opróżnij listę - + Recover Przywróć - + Recover the file to original location Przywróć plik do oryginalnej lokalizacji - + Recover && Explore Przywróć i eksploruj - + Recover && Open/Run Przywróć i otwórz - + Open file recovery for this box Otwórz przywracanie folderów dla tego boksu - + Dismiss Odrzuć - + Don't recover this file right now Nie przywracaj tego pliku w tym momencie - + Dismiss all from this box Odrzuć wszystkie dla tego boksu - + Disable quick recovery until the box restarts Deaktywuj szybkie przywracanie, aż do restartu boksu - + Select Directory Wybierz katalog @@ -2889,37 +2954,42 @@ Full path: %4 - + Select Directory Wybierz katalog - + + No Files selected! + + + + Do you really want to delete %1 selected files? Czy naprawdę chcesz usunąć %1 wybranych plików? - + Close until all programs stop in this box Zamknij, aż wszystkie programy zatrzymają się w tym boksie - + Close and Disable Immediate Recovery for this box Zamknij i wyłącz Natychmiastowe Przywracanie dla tego boksu - + There are %1 new files available to recover. Istnieje %1 nowych plików dostępnych do odzyskania. - + Recovering File(s)... Odzyskiwanie plików... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. W piaskownicy znajduje się %1 plików i %2 folderów zajmujących %3 miejsca na dysku. @@ -3086,22 +3156,22 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni CSandBox - + Waiting for folder: %1 Oczekiwanie na folder: %1 - + Deleting folder: %1 Usuwanie folderu: %1 - + Merging folders: %1 &gt;&gt; %2 Scalanie folderów: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Kończenie scalania migawek... @@ -3109,7 +3179,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni CSandBoxPlus - + Disabled Wyłączone @@ -3118,32 +3188,32 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Puste - + OPEN Root Access OTWÓRZ dostęp do roota - + Application Compartment Komora aplikacji - + NOT SECURE NIE ZABEZPIECZONE - + Reduced Isolation Ograniczona izolacja - + Enhanced Isolation Wzmocniona izolacja - + Privacy Enhanced Ulepszona prywatność @@ -3152,32 +3222,32 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Log API - + No INet (with Exceptions) Brak INet (z wyjątkami) - + No INet Bez INetu - + Net Share Bez dysków sieciowych - + No Admin Bez praw administracyjnych - + Auto Delete Auto-usuwanie - + Normal Normalna @@ -3231,37 +3301,37 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Czy chcesz pominąć kreatora konfiguracji? - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? Czy chcesz otworzyć %1 w przeglądarce WWW w piaskownicy lub bez piaskownicy? - + Sandboxed W piaskownicy - + Unsandboxed Bez piaskownicy - + Reset Columns Zresetuj kolumny - + Copy Cell Skopiuj komórkę - + Copy Row Skopiuj linijkę - + Copy Panel Skopiuj wszystko @@ -3723,37 +3793,37 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Bieżąca konfiguracja: %1 - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Wybrany zestaw funkcji jest dostępny tylko dla sponsorów projektu. Procesy rozpoczęte w boksie z włączonym zestawem funkcji bez certyfikatu wsparcia zostaną zakończone po 5 minutach.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get- cert">Zostań sponsorem</a> i otrzymaj <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certyfikat wsparcia</a> - + Please enter the duration, in seconds, for disabling Forced Programs rules. Proszę wpisać czas (w sekundach) wyłączenia reguł Programów wymuszonych. - + Error Status: 0x%1 (%2) Kod błędu: 0x%1 (%2) - + Unknown Nieznane - + Failed to copy box data files Błąd przy kopiowaniu plików danych boksu - + Failed to remove old box data files Błąd przy usuwaniu starych plików danych boksu - + Unknown Error Status: 0x%1 Nieznany kod błędu: 0x%1 @@ -3869,7 +3939,7 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a - + About Sandboxie-Plus O Sandboxie-Plus @@ -3909,9 +3979,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. Nie pokazuj ponownie tej wiadomości. @@ -4042,106 +4112,106 @@ Please check if there is an update for sandboxie. - + Failed to configure hotkey %1, error: %2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. Skrzynka %1 jest skonfigurowana do korzystania z funkcji dostępnych wyłącznie dla osób wspierających projekt. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. Skrzynka %1 jest skonfigurowana do korzystania z funkcji, które wymagają <b>zaawansowanego</b> certyfikatu wsparcia. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Uaktualnij swój certyfikat</a>, aby odblokować zaawansowane funkcje. - + The selected feature requires an <b>advanced</b> supporter certificate. Wybrana funkcja wymaga <b>zaawansowanego</b> certyfikatu wsparcia. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Wybrany zestaw funkcji jest dostępny tylko dla osób wspierających projekt.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Zostań osobą wspierającą projekt</a > i otrzymaj <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certyfikat wsparcia</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! Certyfikat, którego próbujesz użyć, został zablokowany, co oznacza, że został unieważniony z jakiegoś powodu. Każda próba jego użycia stanowi naruszenie warunków użytkowania! - + The Certificate Signature is invalid! The Certificate Signature is invalid! - + The Certificate is not suitable for this product. Certyfikat nie jest odpowiedni dla tego produktu. - + The Certificate is node locked. Certyfikat jest zablokowany w węźle. - + The support certificate is not valid. Error: %1 Certyfikat wsparcia jest nieważny. Błąd: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! Upłynął okres oceny! - - + + Don't ask in future Nie pytaj w przyszłości - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? Czy chcesz zakończyć wszystkie procesy w zaszyfrowanych piaskownicach i odmontować je? - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Błąd - + Failed to stop all Sandboxie components Błąd przy zatrzymywaniu komponentów Sandboxie - + Failed to start required Sandboxie components Błąd w inicjacji komponentów Sandboxie @@ -4229,20 +4299,20 @@ Nie, wybierze: %2 - NIE połączone - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Program %1 uruchomiony w boksie %2 zostanie zakończony za 5 minut, ponieważ boks został skonfigurowanya do korzystania z funkcji dostępnych wyłącznie dla sponsorów projektu. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Boks %1 jest skonfigurowany do używania funkcji dostępnych wyłącznie dla sponsorów projektu, te wstępne ustawienia będą ignorowane. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Zostań sponsorem projektu</a>, i otrzymaj <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certyfikat wsparcia</a> @@ -4313,17 +4383,17 @@ Nie, wybierze: %2 - + Only Administrators can change the config. Tylko administratorzy mogą zmieniać ustawienia piaskownicy. - + Please enter the configuration password. Proszę wpisać hasło konfiguracji. - + Login Failed: %1 Nieudane logowanie: %1 @@ -4345,7 +4415,7 @@ Nie, wybierze: %2 Importowanie: %1 - + Do you want to terminate all processes in all sandboxes? Czy chcesz zakończyć wszystkie procesy ww wszystkich piaskowniach? @@ -4354,62 +4424,62 @@ Nie, wybierze: %2 W przyszłości zakańczaj bez pytania - + No Recovery Brak odzyskiwania - + No Messages Brak wiadomości - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus został uruchomiony w trybie przenośnym i musi utworzyć niezbędne usługi. Spowoduje to wyświetlenie pytania o uprawnienia administracyjne. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. UWAGA: Inny agent (prawdopodobnie SbieCtrl.exe) już zarządza tą sesją Sandboxie, proszę go najpierw zamknąć i połączyć się ponownie, aby przejąć kontrolę. - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>BŁĄD:</b> Menedżer Sandboxie-Plus (SandMan.exe) nie ma prawidłowego podpisu (SandMan.exe.sig). Pobierz zaufaną wersję z <a href="https://sandboxie-plus.com/go.php?to=sbie-get">oficjalnej strony pobierania</a>. - + Maintenance operation failed (%1) Operacja konserwacji nie powiodła się (%1) - + Maintenance operation completed Zakończono operację konserwacji - + Executing maintenance operation, please wait... Wykonywanie operacji zarzadzania, proszę czekać… - + In the Plus UI, this functionality has been integrated into the main sandbox list view. W interfejsie SB+, funkcjonalność ta została zintegrowana z głównym widokiem listy piaskownicy. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Korzystając z menu kontekstowego boksu/grupy, możesz przenosić boksy i grupy do innych grup. Możesz także użyć przeciągania i upuszczania, aby przenosić elementy. Możesz także użyć klawiszy strzałek, przytrzymując klawisz ALT, aby przenosić elementy w górę iw dół w ramach ich grupy.<br />Możesz tworzyć nowe boksy i grupy z menu piaskownicy. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Czy chcesz również zresetować ukrywany komunikat boksów (tak) czy tylko wszystkie komunikaty dziennika (nie)? - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4418,239 +4488,239 @@ This file is part of Sandboxie and all changed done to it will be reverted next Ten plik jest częścią Sandboxie i wszystkie zmiany w nim dokonane zostaną cofnięte przy następnej aktualizacji Sandboxie. - + The changes will be applied automatically whenever the file gets saved. Zmiany będą zastosowane automatycznie jak tylko plik zostanie zapisany. - + The changes will be applied automatically as soon as the editor is closed. Zmiany będą zastosowane automatycznie jak tylko edytor zostanie zakończony. - + Sandboxie config has been reloaded Konfiguracja piaskownicy została ponownie załadowana - + Administrator rights are required for this operation. Ta operacja wymaga uprawnień administratora. - + Failed to execute: %1 Błąd przy wykonywaniu: %1 - + Failed to connect to the driver Błąd przy połączeniu ze sterownikiem - + Failed to communicate with Sandboxie Service: %1 Błąd przy komunikacji z usługą: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Znaleziono niekompatybilną piaskownicę %1. Kompatybilne wersje: %2 - + Can't find Sandboxie installation path. Nie można znaleźć ścieżki instalacji Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Błąd przy kopiowaniu konfiguracji piaskownicy %1: %2 - + A sandbox of the name %1 already exists Piaskownica o nazwie %1 już istnieje - + Failed to delete sandbox %1: %2 Błąd przy usuwaniu piaskownicy %1: %2 - + The sandbox name can not be longer than 32 characters. Nazwy piaskownicy nie mogą być dłuższe niż 32 znaki. - + The sandbox name can not be a device name. Nazwy piaskownicy nie mogą być nazwami urządzeń. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Nazwa piaskownicy może zawierać tylko litery, cyfry i podkreślenia, które są wyświetlane jako spacje. - + Failed to terminate all processes Błąd przy zakańczaniu wszystkich procesów - + Delete protection is enabled for the sandbox Ochrona przed usunięciem jest aktywna dla tej piaskownicy - + All sandbox processes must be stopped before the box content can be deleted Przed usunięciem zawartości skrzynki wszystkie procesy piaskownicy muszą zostać zatrzymane - + Error deleting sandbox folder: %1 Błąd usuwania foldera piaskownicy: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. Wszystkie procesy w piaskownicy muszą zostać zatrzymane przed zmianą jej nazwy. - + A sandbox must be emptied before it can be deleted. Przed usunięciem piaskownicy należy ją opróżnić. - + Failed to move directory '%1' to '%2' Błąd przy przenoszeniu foldera %1 do %2 - + Failed to move box image '%1' to '%2' Nie udało się przenieść obrazu skrzynki '%1' do '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Tej operacji migawki nie można wykonać, gdy procesy są nadal uruchomione w boksie. - + Failed to create directory for new snapshot Błąd przy tworzeniu foldera dla nowej migawki - + Snapshot not found Nie znaleziono migawki - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Błąd podczas łączenia katalogów migawek „%1” z „%2”, migawka nie została w pełni scalona. - + Failed to remove old snapshot directory '%1' Błąd przy usuwaniu starego foldera migawki '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Nie można usunąć migawki, która jest używana przez inne migawki - + You are not authorized to update configuration in section '%1' Brak autoryzacji do zmian konfiguracji w tej sekcji '%1' - + Failed to set configuration setting %1 in section %2: %3 Błąd przy zmianie ustawienia %1 w sekcji %2: %3 - + Can not create snapshot of an empty sandbox Nie można utworzyć migawki pustej piaskownicy - + A sandbox with that name already exists Piaskownica o tej nazwie już istnieje - + The config password must not be longer than 64 characters Hasło konfiguracyjne nie może być dłuższe niż 64 znaki - + The operation was canceled by the user Operacja została anulowana przez użytkownika - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted Zawartość niezamontowanej piaskownicy nie może zostać usunięta - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded Import/Export nie jest dostępny, 7z.dll nie może być załadowany - + Failed to create the box archive Nie udało się utworzyć archiwum boksu - + Failed to open the 7z archive Nie udało się otworzyć archiwum 7z - + Failed to unpack the box archive Nie udało się rozpakować archiwum boksu - + The selected 7z file is NOT a box archive Wybrany plik 7z NIE jest archiwum boksu - + Operation failed for %1 item(s). Błąd przy wykonywaniu %1 operacji. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> @@ -4659,38 +4729,38 @@ Ten plik jest częścią Sandboxie i wszystkie zmiany w nim dokonane zostaną co Czy przeglądarka WWW z %1 ma być otwarta w piaskownicy (tak), czy poza piaskownicą (nie)? - + Remember choice for later. Zapamiętaj wybór na później. - + Case Sensitive I don't know what it's for - + RegExp - + Highlight Podkreśl - + Close Zamknij - + &Find ... &Znajdź... - + All columns Wszystkie kolumny @@ -4755,22 +4825,22 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap <p>Nowa wersja Sandboxie-Plus zostanie pobrana z:</p><p><a href="%2">%1</a></p><p>Czy chcesz rozpocząć instalację? Jeśli jakieś programy działają w trybie piaskownicy, zostaną zakończone.</p> - + The supporter certificate is not valid for this build, please get an updated certificate Certyfikat wsparcia jest nieważny dla tej kompilacji, proszę o zaktualizowanie certyfikatu - + The supporter certificate has expired%1, please get an updated certificate %1Wygasł certyfikat wsparcia, proszę o zaktualizowanie certyfikatu - + , but it remains valid for the current build , ale zachowuje ważność dla obecnej kompilacji - + The supporter certificate will expire in %1 days, please get an updated certificate Certyfikat wsparcia wygaśnie za %1 dni, proszę o zaktualizowanie certyfikatu @@ -5065,38 +5135,38 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap CSbieTemplatesEx - + Failed to initialize COM Nie udało się zainicjować COM - + Failed to create update session Nie udało się utworzyć sesji aktualizacji - + Failed to create update searcher Nie udało się utworzyć wyszukiwarki aktualizacji - + Failed to set search options Nie udało się ustawić opcji wyszukiwania - + Failed to enumerate installed Windows updates Failed to search for updates Nie udało się wyszukać aktualizacji - + Failed to retrieve update list from search result Nie udało się pobrać listy aktualizacji z wyniku wyszukiwania - + Failed to get update count Nie udało się pobrać liczby aktualizacji @@ -5104,137 +5174,137 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap CSbieView - - + + Create New Box Utwórz nowy boks - + Remove Group Usuń grupę - - + + Run Uruchom - + Run Program Uruchom program - + Run from Start Menu Uruchom program z menu startowego - + Standard Applications Aplikacje standardowe - + Terminate All Programs Zakończ wszystkie programy - - - - - + + + + + Create Shortcut Utwórz skrót - - + + Explore Content Eksploruj zawartość - - + + Snapshots Manager Menedżer migawek - + Recover Files Przywróć pliki - - + + Delete Content Skasuj zawartość - + Sandbox Presets Ustawienia wstępne piaskownicy - + Block Internet Access Zablokuj dostęp do Internetu - + Allow Network Shares Zezwól dostęp do dysków sieciowych - + Drop Admin Rights Porzuć uprawnienia administratora - + Default Web Browser Domyślna przeglądarka WWW - + Default eMail Client Domyślny klient eMail - + Windows Explorer - + Registry Editor Edytor rejestru - + Programs and Features Programy i funkcje - + Ask for UAC Elevation Pytaj o podniesienie poziomu kontroli konta użytkownika - + Emulate Admin Rights Emuluj prawa administratora - + Sandbox Options Ustawienia piaskownicy - - + + (Host) Start Menu (Host) Menu Start @@ -5243,117 +5313,117 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Więcej narzędzi - + Browse Files Przeglądaj pliki - - + + Refresh Info Odśwież Info - - + + Mount Box Image Zamontuj obraz boksu - - + + Unmount Box Image Odmontuj obraz boksu - + Immediate Recovery Natychmiastowe Przywracanie - + Disable Force Rules Wyłącz wymuszone reguły - - + + Sandbox Tools Narzędzia piaskownicy - + Duplicate Box Config Powiel konfigurację skrzynki - + Export Box Export Boksu - - + + Rename Sandbox Zmień nazwę piaskownicy - - + + Move Sandbox Przenieś piaskownicę - - + + Remove Sandbox Usuń piaskownicę - - + + Terminate Zakończyć - + Preset Ustawienia wstępne - - + + Pin to Run Menu Przypnij do Menu 'Wykonaj' - - + + Import Box Import Boksu - + Block and Terminate Zakończ i zablokuj - + Allow internet access Zezwól na dostęp do Internetu - + Force into this sandbox Wymuś wykonanie w tej piaskownicy - + Set Linger Process Ustaw zawieszony program - + Set Leader Process Ustaw proces wiodący @@ -5362,159 +5432,154 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Uruchom w piaskownicy - + Run Web Browser Uruchom przeglądarkę WWW - + Run eMail Reader Uruchom czytnik eMail - + Run Any Program Uruchom dowolny program - + Run From Start Menu Uruchom z menu Start - + Run Windows Explorer Uruchom Eksploratora Windows - + Terminate Programs Zakończ programy - + Quick Recover Szybkie odzyskiwanie - + Sandbox Settings Ustawienia piaskownicy - + Duplicate Sandbox Config Powiel konfigurację piaskownicy - + Export Sandbox Eksport Piaskownicy - + Move Group Przenieś grupę - + File root: %1 File root: %1 - + Registry root: %1 Registry root: %1 - + IPC root: %1 IPC root: %1 - + Disk root: %1 Dysk główny: %1 - + Options: Opcje: - + [None] [żadne] - + Failed to open archive, wrong password? Nie udało się otworzyć archiwum, błędne hasło? - + Failed to open archive (%1)! Nie udało się otworzyć archiwum (%1)! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + This name is already in use, please select an alternative box name - Ta nazwa jest już używana, proszę wybrać alternatywną nazwę boksu + Ta nazwa jest już używana, proszę wybrać alternatywną nazwę boksu - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 Importowanie: %1 - + Please enter a new group name Proszę wpisać nazwę nowej grupy - + Do you really want to remove the selected group(s)? Czy naprawdę chcesz skasować wybrane grupy? - - + + Create Box Group Utwórz grupę boksów - + Rename Group Zmień nazwę grupy - - + + Stop Operations Zatrzymaj operacje - + Command Prompt Wiersz polecenia @@ -5524,33 +5589,33 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Narzędzia w piaskownicach - + Command Prompt (as Admin) Wiersz polecenia (jako Admin) - + Command Prompt (32-bit) Wiersz polecenia (32-bit) - + Execute Autorun Entries nieznany kontekst Wykonaj wpisy z autorun - + Browse Content Przeglądaj zawartość - + Box Content Przegląd piaskownicy - + Open Registry Otwórz rejestr @@ -5563,19 +5628,19 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Przenieś boks/grupę - - + + Move Up Przesuń w górę - - + + Move Down Przesuń w dół - + Please enter a new name for the Group. Proszę wpisać nową nazwę grupy. @@ -5584,109 +5649,107 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Ta nazwa grupy jest już używana. - + Move entries by (negative values move up, positive values move down): nieznany kontekst Przenieś wpisy o (wartości ujemne w górę, wartości dodatnie w dół): - + A group can not be its own parent. Grupa nie może być swoim własnym rodzicem. - + The Sandbox name and Box Group name cannot use the ',()' symbol. W nazwie Sandbox i Grupie Boksów nie można używać znaku ',()'. - + This name is already used for a Box Group. Ta nazwa jest już używana dla Grupy Boks. - + This name is already used for a Sandbox. Ta nazwa jest już używana dla Piaskownicy. - - - + + + Don't show this message again. Nie pokazuj ponownie tej wiadomości. - - - + + + This Sandbox is empty. Ta piaskownice jest pusta. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. OSTRZEŻENIE: Edytor rejestru otwierany jest poza piaskownicą, dlatego należy zachować ostrożność i wprowadzać zmiany tylko w wybranych wcześniej lokalizacjach piaskownicy. - + Don't show this warning in future Nie pokazuj tego ostrzeżenia w przyszłości - + Please enter a new name for the duplicated Sandbox. Proszę wpisać nową nazwę duplikatu piaskownicy. - + %1 Copy %1 kopia - - + + Select file name Wybierz nazwę pliku - + Suspend Zawieszenie - + Resume Wznowienie - - 7-zip Archive (*.7z) - Archiwum 7-zip (*.7z) + Archiwum 7-zip (*.7z) - + Exporting: %1 Eksportowanie: %1 - + Please enter a new name for the Sandbox. Proszę wpisać nową nazwę dla piaskownicy. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Czy na pewno chcesz skasować wybraną(-e) piaskownicę(-e)?<br /><br />Ostrzeżenie: Zawartość boksu również zostanie usunięta! @@ -5695,68 +5758,68 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Usuwanie %1 zawartości - + This Sandbox is already empty. Ta piaskownica jest już pusta. - - + + Do you want to delete the content of the selected sandbox? Czy chcesz skasować zawartość wybranej piaskownicy? - - + + Also delete all Snapshots Skasuj również wszystkie migawki - + Do you really want to delete the content of all selected sandboxes? Czy na pewno chcesz skasować zawartość wszystkich wybranych piaskownic? - + Do you want to terminate all processes in the selected sandbox(es)? Czy chcesz zakończyć wszystkie procesy w wybranych piaskowniach? - - + + Terminate without asking Zakończ bez pytania - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Pojawi się teraz Menu Startowe Sandboxie. Wybierz aplikację z menu, a Sandboxie utworzy na pulpicie ikonę nowego skrótu, za pomocą której będziesz mógł wywołać wybraną aplikację pod nadzorem Sandboxie. - - + + Create Shortcut to sandbox %1 Utwórz skrót do piaskownicy %1 - + Do you want to terminate %1? Do you want to %1 %2? Czy chcesz zakończyć %1? - + the selected processes wybrane procesy - + This box does not have Internet restrictions in place, do you want to enable them? Ten boks nie ma aktualnie ograniczonego dostępu do Internetu, czy chcesz go włączyć? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Ta piaskownica jest wyłączona, czy chcesz ją teraz włączyć? @@ -5801,7 +5864,7 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie-Plus - Ustawienia @@ -5819,375 +5882,375 @@ Uwaga: Sprawdzanie aktualizacji często pomija najnowsze wydania GitHub, aby zap Ochrona konfiguracji - + Auto Detection Wykryj automatycznie - + No Translation Brak tłumaczenia - - + + Don't integrate links Nie integruj linków - - + + As sub group Jako podgrupa - - + + Fully integrate Pełna integracja - + Don't show any icon Nie pokazuj żadnej ikony - + Show Plus icon Pokaż ikonę Plus - + Show Classic icon Pokaż ikonę klasyczną - + All Boxes Wszystkie boksy - + Active + Pinned Aktywne + Przypięte - + Pinned Only Tylko przypięte - + Close to Tray Zamknij do paska zadań - + Prompt before Close Pytaj przed zamknięciem - + Close Zamknij - + None Żaden - + Native Natywny - + Qt Qt - + %1 %1 - + HwId: %1 - + Search for settings Szukaj ustawień - - - + + + Run &Sandboxed Uruchom w pia&skownicy - + kilobytes (%1) kilobajty (%1) - + Volume not attached Niepodłączony wolumin - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Ten certyfikat wsparcia wygasł. <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">pobierz zaktualizowany certyfikat</a>. - + Expires in: %1 days Expires: %1 Days ago - + Expired: %1 days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Wyłączone - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... Pobieranie certyfikatu... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Home Strona główna - + Advanced (L) - + Supporter certificate required for access Do uzyskania dostępu wymagany jest certyfikat sponsora - + Supporter certificate required for automation Certyfikat sponora wymagany do automatyzacji - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + This Add-on is mandatory and can not be removed. Ten dodatek jest obowiązkowy i nie można go usunąć. - + Sandboxed Web Browser Przeglądarka WWW w trybie piaskownicy - - + + Notify Powiadom - + Ignore Ignoruj - + Every Day Codziennie - + Every Week Co tydzień - + Every 2 Weeks Co 2 tygodnie - + Every 30 days Co 30 dni - - + + Download & Notify Pobierz i powiadom - - + + Download & Install Pobierz i zainstaluj - + Browse for Program Przeglądaj w poszukiwaniu programu - + Add %1 Template Dodaj %1 szablon - + Select font Wybierz czcionkę - + Reset font Zresetuj czcionkę - + %0, %1 pt %0, %1 pt - + Please enter message Proszę wpisać wiadomość - + Select Program Wybierz program - + Executables (*.exe *.cmd) Programy (*.exe *.cmd) - - + + Please enter a menu title Proszę wpisać tytuł menu - + Please enter a command Proszę wpisać polecenie @@ -6196,102 +6259,102 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Wygasł ten certyfikat wsparcia, proszę <a href="sbie://update/cert">uzyskać zaktualizowany certyfikat</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Funkcje dodatkowe zostaną wyłączone za %1 dni.</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>W obecnej kompilacji funkcje Plus pozostają włączone</font>, ale nie masz już dostępu do usług Sandboxie-Live, w tym aktualizacji zgodności i bazy danych rozwiązywania problemów. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Ten certyfikat sponsora <font color='red'>wygaśnie za %1 dni</font>, prosimy o <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">uzyskanie zaktualizowanego certyfikatu</a>. - + Contributor Współtwórca - + Eternal Wieczny - + Business Biznes - + Personal Osobisty - + Great Patreon Wspaniały Patron - + Patreon Patron - + Family Rodzina - + Evaluation Próbny - + Type %1 Typ %1 - + Advanced Zaawansowany - + Max Level Poziom maks. - + Level %1 Poziom %1 - + Set Force in Sandbox - + Set Open Path in Sandbox - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Ten certyfikat niestety nie jest ważny dla bieżącej kompilacji, musisz uzyskać nowy certyfikat lub przejść na starszą wersję. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Chociaż ten certyfikat wygasł, dla obecnie zainstalowanej wersji oraz funkcje pozostają włączone. Jednak nie będziesz już mieć dostępu do usług Sandboxie-Live, w tym aktualizacji zgodności i bazy danych rozwiązywania problemów online. - + This certificate has unfortunately expired, you need to get a new certificate. Ten certyfikat niestety wygasł, musisz uzyskać nowy certyfikat. @@ -6300,7 +6363,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.<br /><font color='red'>W tej wersji funkcje Plus pozostają włączone.</font> - + <br />Plus features are no longer enabled. <br />Funkcje Plus nie są już włączone. @@ -6314,12 +6377,12 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Wymagany certyfikat sponsora - + Run &Un-Sandboxed Ur&uchom bez piaskownicy - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. To nie wygląda jak certyfikat. Proszę wpisać cały certyfikat, a nie tylko jego fragment. @@ -6332,7 +6395,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ten certyfikat jest niestety nieaktualny. - + Thank you for supporting the development of Sandboxie-Plus. Dziękujemy za wsparcie rozwoju Sandboxie-Plus. @@ -6341,22 +6404,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ten certyfikat pomocy technicznej jest nieważny. - + Update Available Dostępna aktualizacja - + Installed Zainstalowane - + by %1 przez %1 - + (info website) (strona informacyjna) @@ -6365,63 +6428,63 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Ten dodatek jest obowiązkowy i nie można go usunąć. - - + + Select Directory Wybierz katalog - + <a href="check">Check Now</a> <a href="check">Sprawdź teraz</a> - + Please enter the new configuration password. Proszę wpisać nowe hasło konfiguracyjne. - + Please re-enter the new configuration password. Wprowadź ponownie nowe hasło konfiguracyjne. - + Passwords did not match, please retry. Hasła nie zgadzają się, spróbuj ponownie. - + Process Proces - + Folder Folder - + Please enter a program file name Proszę wpisać nazwę pliku programu - + Please enter the template identifier Proszę wpisać identyfikator szablonu - + Error: %1 Błąd: %1 - + Do you really want to delete the selected local template(s)? Czy naprawdę chcesz usunąć wybrany lokalny szablon(-y)? - + %1 (Current) %1 (aktualne) @@ -6675,17 +6738,17 @@ Spróbuj przesłać bez załączonego dziennika. CSummaryPage - + Create the new Sandbox Utwórz nową piaskownicę - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Prawie ukończone, kliknij Zakończ, aby utworzyć nową piaskownicę i zakończyć działanie kreatora. - + Save options as new defaults Zapisz opcje jako nowe ustawienia domyślne @@ -6694,19 +6757,19 @@ Spróbuj przesłać bez załączonego dziennika. Nie pokazuj strony podsumowania w przyszłości (chyba że ustawiono opcje zaawansowane) - + Skip this summary page when advanced options are not set Pomiń tę stronę podsumowania, gdy opcje zaawansowane nie są ustawione. - + This Sandbox will be saved to: %1 Ta piaskownica zostanie zapisana w: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6715,21 +6778,21 @@ This box's content will be DISCARDED when its closed, and the box will be r Zawartość tego boksu zostanie USUNIĘTA, a po jego zamknięciu, boks zostanie usunięty. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Ten boks po zamknięciu wyrzuci swoją zawartość, nadaje się tylko dla danych tymczasowych. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Procesy w tym boksie nie będą miały dostępu do Internetu ani sieci lokalnej, co zapewnia poufność wszystkich udostępnianych danych. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6738,14 +6801,14 @@ This box will run the MSIServer (*.msi installer service) with a system token, t Ten boks uruchomi MSIServer (usługę instalatora *.msi) z tokenem systemowym, poprawia to kompatybilność, ale zmniejsza izolację bezpieczeństwa. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Procesy w tym boksie reagowały tak jakby były uruchamiane z uprawnieniami administracyjnymi, choć w rzeczywistości ich nie mają, stąd instalatory mogą być używane nawet w zabezpieczonych boksach. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6754,7 +6817,7 @@ Processes in this box will be running with a custom process token indicating the Procesy w tym polu będą uruchamiane z niestandardowym tokenem procesu wskazującym piaskownicę, do której należą. - + Failed to create new box: %1 Nie udało się utworzyć nowego boksu: %1 @@ -7407,34 +7470,74 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Kompresja plików - + Compression Kompresja - + When selected you will be prompted for a password after clicking OK Po wybraniu tej opcji zostanie wyświetlony monit o hasło po kliknięciu przycisku OK - + Encrypt archive content Szyfrowanie zawartości archiwum - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. Solidna archiwizacja poprawia współczynniki kompresji poprzez traktowanie wielu plików jako jednego ciągłego bloku danych. Idealna dla dużej liczby małych plików, sprawia, że archiwum jest bardziej kompaktowe, ale może wydłużyć czas potrzebny na wyodrębnienie poszczególnych plików. - + Create Solide Archive Utwórz solidne archiwum - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Eksportuj Sandbox do archiwum 7z, wybierz stopień kompresji i dostosuj dodatkowe ustawienia kompresji. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Eksportuj Sandbox do archiwum 7z, wybierz stopień kompresji i dostosuj dodatkowe ustawienia kompresji. + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption + @@ -7490,199 +7593,200 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Wskaźnik piaskownicy w tytule: - + Restrictions Ograniczenia - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Block access to the printer spooler Zablokuj dostęp do drukarki - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + Block network files and folders, unless specifically opened. Zablokuj dostęp do dysków sieciowych, chyba że specjalnie dopuszczone. - + Drop rights from Administrators and Power Users groups Porzuć prawa z grup Administratorzy i Użytkownicy Zaawansowani - + Sandboxed window border: Granica okien w piaskownicy: - + px Width px Szerokość - + Appearance Wygląd - - - - - - + + + + + + + Protect the system from sandboxed processes Chroń system przed programami w piaskownicy - + Allow the print spooler to print to files outside the sandbox Zezwól buforowi wydruku na drukowanie do plików poza piaskownicą - + Remove spooler restriction, printers can be installed outside the sandbox Usuń ograniczenie bufora, drukarki można zainstalować poza piaskownicą - + Run Menu Uruchom Menu 'Wykonaj' - + You can configure custom entries for the sandbox run menu. Możesz skonfigurować własne wpisy do menu ‘wykonaj’. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Nazwa - + Command Line Wiersz poleceń - + Add program Dodaj program - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Usuń - + File Options Opcje plików - + Copy file size limit: Ograniczenie rozmiaru plików do kopiowania: - + kilobytes kilobajtów - + Protect this sandbox from deletion or emptying Chroń tę piaskownicę przed skasowaniem lub opróżnieniem - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Automatycznie opróżnij piaskownicę, gdy ostatni program zostanie zakończony - - + + File Migration Migracja plików - + Issue message 2102 when a file is too large Komunikat o błędzie 2102, gdy plik jest zbyt duży - + Box Delete options Opcje kasowania piaskownicy - + Elevation restrictions Ograniczenie poziomów uprawnień - + Make applications think they are running elevated (allows to run installers safely) Spraw, by aplikacje uznały, że działają z podwyższonym poziomem uprawnień (umożliwia bezpieczne uruchamianie instalatorów) - + Network restrictions Ograniczenia sieciowe - + (Recommended) (Zalecane) @@ -7691,32 +7795,32 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Dostęp bezpośredni do dysku - + Allow elevated sandboxed applications to read the harddrive Zezwól aplikacjom z podwyższonym poziomem uprawnień na odczyt z dysku twardego - + Warn when an application opens a harddrive handle Ostrzegaj, gdy aplikacja otwiera podczepienie do dysku twardego - + Other restrictions Inne ograniczenia - + Printing restrictions Ograniczenia drukowania - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. UWAGA: Podczas pracy z wbudowanym administratorem procesy nie mogą usuwać uprawnień administracyjnych. - + Prompt user for large file migration Pytaj użytkownika o migrację dużych plików @@ -7729,13 +7833,13 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Tutaj możesz określić programy i / lub usługi, które mają być automatycznie uruchamiane w piaskownicy po jej aktywacji - - - - - - - + + + + + + + Type Typ @@ -7744,21 +7848,21 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Dodaj usługę - + Program Groups Grupy programów - + Add Group Dodaj grupę - - - - - + + + + + Add Program Dodaj Program @@ -7767,82 +7871,82 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Programy wymuszone - + Force Folder Wymuś folder - - - + + + Path Ścieżka - + Force Program Wymuś program - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Pokaż szablony - + Show this box in the 'run in box' selection prompt Pokaż ten boks w monicie wyboru 'uruchom w boksie' - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Uwaga dotycząca bezpieczeństwa: aplikacje z podwyższonym poziomem uprawnień, działające pod nadzorem Sandboxie, z tokenem administratora, mają więcej możliwości obejścia izolacji i zmodyfikowania systemu poza piaskownicą. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Zezwalaj MSIServer na działanie z tokenem systemu w trybie piaskownicy i w razie potrzeby stosuj inne wyjątki - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Uwaga: Zwolnienia Instalatora Msi nie powinny być wymagane, ale jeśli napotkasz problemy z instalacją pakietu msi, któremu ufasz, ta opcja może pomóc w pomyślnym zakończeniu instalacji. Możesz również spróbować wyłączyć porzucenie praw administratora. - + General Configuration Konfiguracja ogólna - + Box Type Preset: Wstępne ustawienie boksu: - + Box info Informacja o boksie - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Więcej Typów Boksów</b> jest dostępnych wyłącznie dla <u>sponsorów</u>, Boksów o zwiększonej prywatności <b><font color='red'>chronią dane użytkownika przed nielegalnym dostępem</font>< /b> przez programy w piaskownicy.<br />Jeśli nie jesteś jeszcze sponsorem, rozważ <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert" >to</a>, aby otrzymać <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certyfikat wsparcia</a>.<br />Możesz przetestować inne typy skrzynek tworząc nowe piaskownice tych typów, jednak procesy w nich będą automatycznie kończone po 5 minutach. @@ -7855,12 +7959,12 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Ograniczenia dostępu - + Open Windows Credentials Store (user mode) Otwórz Windows Credentials Store (tryb użytkownika) - + Prevent change to network and firewall parameters (user mode) Zapobiegaj zmianom parametrów sieci i zapory (tryb użytkownika) @@ -7869,18 +7973,18 @@ Jeśli jesteś już Wielkim Wspierającym na Patreon, Sandboxie może sprawdzić Program/Usługa - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Możesz pogrupować programy i nadać im nazwę grupy. Grupy programów mogą być używane z niektórymi ustawieniami zamiast nazw programów. Grupy zdefiniowane dla boksu zastępują grupy zdefiniowane w szablonach. - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Programy wprowadzone tutaj lub programy uruchomione z wprowadzonych lokalizacji zostaną automatycznie umieszczone w tej piaskownicy, chyba że zostaną wyraźnie uruchomione w innej piaskownicy. - - + + Stop Behaviour Zatrzymaj Zachowywania @@ -7905,32 +8009,32 @@ If leader processes are defined, all others are treated as lingering processes.< Jeśli zdefiniowane są procesy wiodące, wszystkie inne są traktowane jako procesy oczekujące. - + Start Restrictions Ograniczenia wykonania - + Issue message 1308 when a program fails to start Pokaż wiadomość 1308, gdy program nie może uruchomić się - + Allow only selected programs to start in this sandbox. * Pozwól tylko wybranym programom uruchamiać się w tej piaskownicy.* - + Prevent selected programs from starting in this sandbox. Zapobiegaj uruchamianiu wybranych programów w tej piaskownicy. - + Allow all programs to start in this sandbox. Pozwól wszystkim programom uruchamiać się w tej piaskownicy. - + * Note: Programs installed to this sandbox won't be able to start at all. * Uwaga: programy zainstalowane w tej piaskownicy w ogóle nie będą mogły się uruchomić. @@ -7939,137 +8043,137 @@ Jeśli zdefiniowane są procesy wiodące, wszystkie inne są traktowane jako pro Ograniczenia internetowe - + Process Restrictions Ograniczenia procesu - + Issue message 1307 when a program is denied internet access Pokaż wiadomość 1307, gdy programowi odmówiono dostępu do Internetu - + Note: Programs installed to this sandbox won't be able to access the internet at all. * Programy zainstalowane w piaskownicy nie będą mogły używać Internetu. - + Prompt user whether to allow an exemption from the blockade. Zapytaj użytkownika o pozwolenie dostępu do Internetu. - + Resource Access Dostęp do zasobów - - - - - - - - - - + + + + + + + + + + Program Program - - - - - - + + + + + + Access Dostęp - + Add Reg Key Dodaj klucz rejestru - + Add File/Folder Dodaj plik/folder - + Add Wnd Class Dodaj klasę okna - + Add COM Object Dodaj objekt COM - + Add IPC Path Dodaj ścieżkę IPC - + File Recovery Przywracanie plików - + Add Folder Dodaj folder - + Ignore Extension Ignoruj rozszerzenie pliku - + Ignore Folder Ignoruj folder - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Włącz monit Natychmiastowego Przywracania, aby móc odzyskać pliki zaraz po ich utworzeniu. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Możesz wykluczyć foldery i typy plików (lub rozszerzenia plików) z Natychmiastowego Odzyskiwania. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Po wywołaniu funkcji szybkiego odzyskiwania następujące foldery zostaną sprawdzone pod kątem zawartości w piaskownicy. - + Advanced Options Opcje zaawansowane - + Miscellaneous Różne - + Allow only privileged processes to access the Service Control Manager Ogranicz dostęp do emulowanego menedżera kontroli usług do procesów uprzywilejowanych - - - - - - - + + + + + + + Protect the sandbox integrity itself Chroń integralność piaskownicy @@ -8078,38 +8182,38 @@ Jeśli zdefiniowane są procesy wiodące, wszystkie inne są traktowane jako pro Izolacja piaskownicy - + Don't alter window class names created by sandboxed programs Nie zmieniaj nazw klas okien w piaskownicy - + Do not start sandboxed services using a system token (recommended) Nie uruchamiaj usług piaskownicy przy użyciu tokena systemowego (zalecane) - + Open System Protected Storage Otwórz system chronionej pamięci masowej - + Block read access to the clipboard Zablokuj dostęp do odczytu schowka - + Add sandboxed processes to job objects (recommended) Dodaj procesy w piaskownicy do obiektów zadań (zalecane) - + Force usage of custom dummy Manifest files (legacy behaviour) Wymuś użycie niestandardowych fałszywych plików manifestu (zachowanie starszego typu) - - + + Compatibility Zgodność @@ -8130,63 +8234,63 @@ Jeśli zdefiniowane są procesy wiodące, wszystkie inne są traktowane jako pro Ukryj procesy - + Add Process Dodaj proces - + Hide host processes from processes running in the sandbox. Ukryj procesy hosta piaskownicy przed procesami działającymi w piaskownicy. - + Don't allow sandboxed processes to see processes running in other boxes Nie zezwalaj procesom w trybie piaskownicy widzieć procesów działających w innych boksach - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + Users Użytkownicy - + Restrict Resource Access monitor to administrators only Ogranicz dostęp do monitora dostępu do zasobów tylko dla administratorów - + Add User Dodaj użytkownika @@ -8195,7 +8299,7 @@ Jeśli zdefiniowane są procesy wiodące, wszystkie inne są traktowane jako pro Usuń użytkownika - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8204,47 +8308,47 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Uwaga: ustawienia Wymuszonych Programów i Wymuszania Folderów dla piaskownicy nie mają zastosowania do kont użytkowników, które nie mogą korzystać z piaskownicy. - + Tracing Śledzenie - + GUI Trace Śledzenie GUI - + IPC Trace Śledzenie IPC - + Pipe Trace Śledzenie pipe - + Access Tracing Śledzenie dostępów - + Log Debug Output to the Trace Log Rejestruj dane wyjściowe debugowania w dzienniku śledzenia - + File Trace Śledzenie plikow - + Key Trace Śledzenie kluczy - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8263,17 +8367,17 @@ Możesz dostosować rejestrowanie za pomocą ini, określając zamiast "*". - + COM Class Trace Śledzenie klas COM - + Emulate sandboxed window station for all processes Emuluj piaskownicę dla wszystkich procesów - + Isolation Izolacja @@ -8282,49 +8386,49 @@ zamiast "*". Izolacja dostępu - + Apply ElevateCreateProcess Workaround (legacy behaviour) Zastosuj obejście ElevateCreateProcess (starsze zachowanie) - + Use desktop object workaround for all processes Użyj obejścia dla obiektów pulpitu dla wszystkich procesów - + This command will be run before the box content will be deleted To polecenie zostanie uruchomione zanim zawartość boksu zostanie usunięta - + On File Recovery O odzyskiwaniu plików - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked To polecenie zostanie uruchomione przed odzyskaniem pliku i ścieżka do pliku zostanie przekazana jako pierwszy argument, jeśli to polecenie zwrócić coś innego niż 0 odzyskanie zostanie zablokowane - + Run File Checker Uruchom sprawdzanie plików - + On Delete Content Uruchom, Usuń zawartość - + Protect processes in this box from being accessed by specified unsandboxed host processes. Chroni procesy w tym boksie przed dostępem określonych procesów hosta spoza piaskownicy. - - + + Process Proces @@ -8333,7 +8437,7 @@ zamiast "*". Zablokuj również dostęp do odczytu procesów w tej piaskownicy - + Add Option Dodaj opcję @@ -8342,7 +8446,7 @@ zamiast "*". Tutaj możesz skonfigurować zaawansowane opcje dla każdego procesu, aby poprawić kompatybilność i/lub dostosować zachowanie piaskownicy. - + Option Opcja @@ -8352,7 +8456,7 @@ zamiast "*". Śledzenie wywołań API (wymaga zainstalowania logapi w katalogu sbie) - + Log all SetError's to Trace log (creates a lot of output) Rejestruj wszystkie błędy SetError do dziennika śledzenia (tworzy dużo danych wyjściowych) @@ -8361,28 +8465,28 @@ zamiast "*". Śledzenie Ntdll syscall (tworzy dużo danych wyjściowych) - + DNS Request Logging Dns Request Logging Rejestrowanie żądań DNS - + Debug Debug - + WARNING, these options can disable core security guarantees and break sandbox security!!! UWAGA, te opcje mogą wyłączyć podstawowe gwarancje bezpieczeństwa i złamać zabezpieczenia sandboxa! - + These options are intended for debugging compatibility issues, please do not use them in production use. Te opcje są przeznaczone do debugowania problemów z kompatybilnością, proszę nie używać ich w zastosowaniach produkcyjnych. - + App Templates Dodaj szablony @@ -8391,17 +8495,17 @@ zamiast "*". Szablony zgodności - + Filter Categories Filtruj kategorie - + Text Filter Filtruj text - + Add Template Dodaj szablon @@ -8410,67 +8514,67 @@ zamiast "*". Usuń szablon - + Category Kategoria - + This list contains a large amount of sandbox compatibility enhancing templates Ta lista zawiera dużą ilość szablonów poprawiających kompatybilność z piaskownicą - + Set network/internet access for unlisted processes: Ustawienie dostępu do sieci/internetu dla procesów niewymienionych na liście: - + Test Rules, Program: Zasady testowania, program: - + Port: Port: - + IP: IP: - + Protocol: Protokół: - + X X - + Double click action: Akcja podwójnego kliknięcia: - + Separate user folders Oddziel foldery użytkowników - + Box Structure Struktura boksu - + Security Options Opcje zabezpieczeń - + Security Hardening Utwardzanie zabezpieczeń @@ -8479,48 +8583,48 @@ zamiast "*". Różne ograniczenia - + Security Isolation Izolacja bezpieczeństwa - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Różne funkcje izolacji mogą zakłócać kompatybilność z niektórymi aplikacjami. Jeśli używasz tej piaskownicy <b>NIE dla bezpieczeństwa</b>, ale dla przenośności aplikacji, zmieniając te opcje, możesz przywrócić kompatybilność, poświęcając część bezpieczeństwa. - + Access Isolation Izolacja dostępu - + Image Protection Ochrona obrazu - + Issue message 1305 when a program tries to load a sandboxed dll Problem z komunikatem 1305, gdy program próbuje załadować bibliotekę DLL w trybie piaskownicy - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox Zapobieganie ładowaniu dll'ów z piaskownicy przez programy zainstalowane na hoście - + Dlls && Extensions Dll-e && Rozszerzenia - + Description Opis - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8533,7 +8637,7 @@ Ma to zapobiec tworzeniu przez nieuczciwe procesy wewnątrz piaskownicy kopii o Funkcjonalność piaskownic można ulepszyć za pomocą opcjonalnych bibliotek dll, które można załadować do każdego procesu w piaskownicy przy starcie przez SbieDll.dll, menedżer dodatków w ustawieniach globalnych oferuje kilka przydatnych rozszerzeń, po zainstalowaniu można je włączyć tutaj dla bieżącej skrzynki. - + Advanced Security Adcanced Security Ochrona zaawansowana @@ -8543,226 +8647,249 @@ Ma to zapobiec tworzeniu przez nieuczciwe procesy wewnątrz piaskownicy kopii o Użyj loginu Sandboxie zamiast anonimowego tokena (eksperymentalne) - + Other isolation Inna izolacja - + Privilege isolation Izolacja przywilejów - + Sandboxie token Token piaskownicy - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Użycie niestandardowego tokena sandboxie pozwala na lepsze odizolowanie poszczególnych sandboxów od siebie, a także pokazuje w kolumnie użytkownika w menedżerach zadań nazwę sandboxa, do którego należy dany proces. Niektóre rozwiązania bezpieczeństwa firm trzecich mogą jednak mieć problemy z niestandardowymi tokenami. - + Program Control Kontrola programu - + Force Programs Wymuś programy - + Disable forced Process and Folder for this sandbox Wyłącz wymuszanie procesów i folderów dla tej piaskownicy - + Breakout Programs Programy przerywane - + Breakout Program Program wyrwany - + Breakout Folder Folder wyrwany - + Encrypt sandbox content Szyfrowanie zawartości sandboxa - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. Gdy włączone jest <a href="sbie://docs/boxencryption">Szyfrowanie boksu</a>, folder główny boksu, w tym gałąź rejestru, jest przechowywany w zaszyfrowanym obrazie dysku przy użyciu <a href="https:/ /diskcryptor.org">Disk Cryptor's</a> Implementacja AES-XTS. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Zainstaluj sterownik ImDisk</a>, aby włączyć obsługę dysku RAM i obrazu dysku. - + Store the sandbox content in a Ram Disk Przechowuj zawartość piaskownicy na dysku RAM - + Set Password Ustaw hasło - + Disable Security Isolation Wyłącz izolację zabezpieczeń - - + + Box Protection Ochrona boksu - + Protect processes within this box from host processes Ochrona procesów wewnątrz tego boksu przed procesami hosta - + Allow Process Zezwalaj na proces - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Komunikat 1318/1317, gdy proces hosta próbuje uzyskać dostęp do procesu w piaskownicy/korzeniu boksu - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus jest w stanie tworzyć poufne piaskownice, które zapewniają solidną ochronę przed nieautoryzowanym nadzorem lub manipulacją przez procesy hosta. Wykorzystując zaszyfrowany obraz piaskownicy, funkcja ta zapewnia najwyższy poziom poufności operacyjnej, zapewniając bezpieczeństwo i integralność procesów w piaskownicy. - + Deny Process Odmów proces - + Force protection on mount - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Allow useful Windows processes access to protected processes Zezwalanie użytecznym procesom Windows na dostęp do procesów chronionych - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Use a Sandboxie login instead of an anonymous token Użyj loginu Sandboxie zamiast anonimowego tokena - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. Programy wpisane tutaj będą mogły wyrwać się z tego boksu po uruchomieniu, możesz je przechwycić do innego boksu. Na przykład, aby przeglądarka internetowa była zawsze otwarta w dedykowanym boksie. Ta funkcja wymaga zainstalowania ważnego certyfikatu wsparcia. - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. - <b><font color='red'>PRZESTROGA DOTYCZĄCA BEZPIECZEŃSTWA</font>:</b> Using <a href="sbie://docs/breakoutfolder"> Używanie Breakout Folder</a> i/lub <a href="sbie://docs/breakoutprocess">Breakout Process</a> w połączeniu z dyrektywami Open[File/Pipe]Path może naruszyć bezpieczeństwo, podobnie jak użycie <a href="sbie://docs/breakoutdocument">Breakout Document</a> pozwalającego na dowolne * lub niezabezpieczone (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;itp...) rozszerzenia. Przed użyciem należy zapoznać się z sekcją bezpieczeństwa dla każdej opcji w dokumentacji. + + Breakout Document + - + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>PRZESTROGA DOTYCZĄCA BEZPIECZEŃSTWA</font>:</b> Using <a href="sbie://docs/breakoutfolder"> Używanie Breakout Folder</a> i/lub <a href="sbie://docs/breakoutprocess">Breakout Process</a> w połączeniu z dyrektywami Open[File/Pipe]Path może naruszyć bezpieczeństwo, podobnie jak użycie <a href="sbie://docs/breakoutdocument">Breakout Document</a> pozwalającego na dowolne * lub niezabezpieczone (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;itp...) rozszerzenia. Przed użyciem należy zapoznać się z sekcją bezpieczeństwa dla każdej opcji w dokumentacji. + + + Lingering Programs Długotrwałe programy - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Długotrwałe programy zostaną automatycznie zakończone, jeśli nadal działają po zakończeniu wszystkich innych procesów. - + Leader Programs Programy wiodące - + If leader processes are defined, all others are treated as lingering processes. Jeśli zdefiniowane są procesy wiodące, wszystkie inne są traktowane jako procesy długotrwałe. - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + Files Pliki - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Skonfiguruj, które procesy mogą uzyskiwać dostęp do plików, folderów i potoków. Dostęp „Otwarty” dotyczy tylko plików binarnych programu znajdujących się poza piaskownicą, możesz zamiast tego użyć „Otwórz dla wszystkich”, aby zastosować go do wszystkich programów, lub zmienić to zachowanie na karcie Zasady. - + Registry Rejestr Systemu - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Skonfiguruj, które procesy mogą uzyskiwać dostęp do Rejestru. Dostęp „Otwarty” dotyczy tylko plików binarnych programu znajdujących się poza piaskownicą, możesz zamiast tego użyć „Otwórz dla wszystkich”, aby zastosować go do wszystkich programów, lub zmienić to zachowanie na karcie Zasady. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Skonfiguruj, które procesy mogą uzyskiwać dostęp do obiektów NT IPC, takich jak porty ALPC oraz pamięć i kontekst innych procesów. Aby określić proces, użyj jako ścieżki '$:program.exe'. - + Wnd Wnd - + Wnd Class Klasa Okna @@ -8772,84 +8899,85 @@ Aby określić proces, użyj jako ścieżki '$:program.exe'.Skonfiguruj, które procesy mogą uzyskiwać dostęp do obiektów pulpitu, takich jak Windows i tym podobne. - + COM COM - + Class Id Klasa Id - + Configure which processes can access COM objects. Skonfiguruj, które procesy mogą uzyskiwać dostęp do obiektów COM. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Nie używaj zwirtualizowanego COM, Otwórz dostęp do infrastruktury COM hostów (niezalecane) - + Access Policies Polityka dostępu - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Zastosuj reguły Zamknij...=!<program>,... również do wszystkich binariów znajdujących się w piaskownicy. - + Network Options Opcje sieciowe - + Add Rule Dodaj regułę - - - - + + + + Action Akcja - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Użyj numerów seryjnych woluminów dla dysków, tak jak: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty Struktura skrzynki może być zmieniona tylko wtedy, gdy piaskownica jest pusta + Allow sandboxed processes to open files protected by EFS - Zezwalaj procesom w piaskownicy na otwieranie plików chronionych przez EFS + Zezwalaj procesom w piaskownicy na otwieranie plików chronionych przez EFS - + Disk/File access Dostęp do dysków/plików - + Virtualization scheme Schemat wirtualizacji - + Partially checked means prevent box removal but not content deletion. Częściowo zaznaczone oznacza, że zapobiega się usuwaniu skrzynek, ale nie usuwaniu treści. - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -8858,37 +8986,37 @@ Aby określić proces, użyj jako ścieżki '$:program.exe'. - + Issue message 2113/2114/2115 when a file is not fully migrated Komunikat 2113/2114/2115, gdy plik nie jest w pełni zmigrowany - + Add Pattern Dodaj wzór - + Remove Pattern Usuń wzór - + Pattern Wzór - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie nie zezwala na zapisywanie do plików hosta, chyba że użytkownik wyrazi na to zgodę. Gdy aplikacja w trybie piaskownicy próbuje zmodyfikować plik, cały plik musi zostać skopiowany do piaskownicy. W przypadku dużych plików może to zająć znaczną ilość czasu. Sandboxie oferuje opcje obsługi tych przypadków, które można skonfigurować na tej stronie. - + Using wildcard patterns file specific behavior can be configured in the list below: Używając wzorców wieloznacznych można skonfigurować zachowanie specyficzne dla plików z poniższej listy: - + When a file cannot be migrated, open it in read-only mode instead Gdy plik nie może być zmigrowany, otwórz go w trybie tylko do odczytu @@ -8897,98 +9025,98 @@ Aby określić proces, użyj jako ścieżki '$:program.exe'.Ikona - - + + Move Up Przesuń w górę - - + + Move Down Przesuń w dół - + Create a new sandboxed token instead of stripping down the original token - + Drop ConHost.exe Process Integrity Level - + Force Children - + Configure which processes can access Desktop objects like Windows and alike. Skonfiguruj, które procesy mogą uzyskiwać dostęp do obiektów pulpitu, takich jak Windows i tym podobne. - - + + Port Port - - - + + + IP IP - + Protocol Protokół - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. UWAGA: Platforma filtrowania Windows nie jest włączona w sterowniku, dlatego te reguły będą stosowane tylko w trybie użytkownika i nie mogą być egzekwowane! Oznacza to, że złośliwe aplikacje mogą je ominąć. - + Bypass IPs - + Quick Recovery Szybkie odzyskiwanie - + Immediate Recovery Natychmiastowe Przywracanie - + Various Options Różne opcje - + Allow use of nested job objects (works on Windows 8 and later) Allow use of nested job objects (experimental, works on Windows 8 and later) Zezwalaj na używanie zagnieżdżonych obiektów zadań (eksperymentalne, działa od Windows 8 i w następnych) - + Allow sandboxed programs to manage Hardware/Devices Zezwalaj programom z piaskownicy na zarządzanie sprzętem/urządzeniami - + Open access to Windows Security Account Manager Otwórz dostęp do Menedżera kont zabezpieczeń systemu Windows - + Open access to Windows Local Security Authority Otwórz dostęp do usługi podsystemu urzędu zabezpieczeń lokalnych @@ -9011,34 +9139,34 @@ You can use 'Open for All' instead to make it apply to all programs, o Zasady dostępu do zasobów - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. Specyfika reguły jest miarą tego, jak dobrze dana reguła pasuje do konkretnej ścieżki. Prościej: specyfika jest długością znaków od początku ścieżki do ostatniego pasującego niezawierającego znaków wielkościowych podłańcucha. Reguła, która dopasowuje tylko typy plików takie jak "*.tmp" będzie miała najwyższą specyfikę, ponieważ zawsze dopasuje całą ścieżkę do pliku. Poziom dopasowania do procesu ma wyższy priorytet niż specyfika i opisuje sposób zastosowania reguły do danego procesu. Reguły stosujące się do nazwy procesu lub grupy procesów mają najsilniejszy poziom dopasowania, następnie dopasowanie przez negację (tj. reguły stosujące się do wszystkich procesów oprócz danego), podczas gdy najniższe poziomy dopasowania mają dopasowania globalne, tj. reguły stosujące się do każdego procesu. - + Prioritize rules based on their Specificity and Process Match Level Nadaj priorytet regułom w oparciu o ich specyfikę i poziom dopasowania procesu - + Privacy Mode, block file and registry access to all locations except the generic system ones Tryb prywatności, blokuje dostęp do plików i rejestru we wszystkich lokalizacjach z wyjątkiem ogólnych systemowych - + Access Mode Tryb dostępu - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Po włączeniu trybu prywatności, procesy w trybie piaskownicy będą mogły odczytywać tylko C:\Windows\*, C:\Program Files\* i części rejestru HKLM, a wszystkie inne lokalizacje będą wymagały jawnego dostępu do odczytu i/lub zapisu. W tym trybie Specyfika reguły jest zawsze włączona. - + Rule Policies Reguły zasad @@ -9047,12 +9175,12 @@ Poziom dopasowania do procesu ma wyższy priorytet niż specyfika i opisuje spos Zastosuj reguły Close...=!<program>,... również do wszystkich plików binarnych znajdujących się w piaskownicy. - + Apply File and Key Open directives only to binaries located outside the sandbox. Zastosuj dyrektywy otwarcia pliku i klucza tylko do plików binarnych znajdujących się poza piaskownicą. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Uruchom proces RpcS w piaskownicy jako proces SYSTEMOWY (niezalecane) @@ -9061,18 +9189,18 @@ Poziom dopasowania do procesu ma wyższy priorytet niż specyfika i opisuje spos Otwarty dostęp do infrastruktury COM (niezalecane) - + Drop critical privileges from processes running with a SYSTEM token Odrzuć krytyczne uprawnienia z procesów uruchomionych z tokenem SYSTEM - - + + (Security Critical) (Kluczowe dla bezpieczeństwa) - + Protect sandboxed SYSTEM processes from unprivileged processes Chroń SYSTEMOWE procesy w trybie piaskownicy przed nieuprzywilejowanymi procesami @@ -9082,32 +9210,32 @@ Poziom dopasowania do procesu ma wyższy priorytet niż specyfika i opisuje spos Zawsze pokazuj tę piaskownicę na liście paska zadań (Przypięta) - + Security enhancements Zwiększenie bezpieczeństwa - + Use the original token only for approved NT system calls Używaj oryginalnego tokena tylko dla zatwierdzonych wywołań systemowych NT - + Restrict driver/device access to only approved ones Ogranicz dostęp sterownika/urządzenia tylko do zatwierdzonych - + Enable all security enhancements (make security hardened box) Włącz wszystkie ulepszenia zabezpieczeń (utwórz wzmocniony boks bezpieczeństwa) - + Allow to read memory of unsandboxed processes (not recommended) Zezwalaj na odczyt pamięci procesów poza piaskownicą (niezalecane) - + Issue message 2111 when a process access is denied Komunikat o numerze 2111 w przypadku odmowy dostępu do procesu @@ -9116,12 +9244,12 @@ Poziom dopasowania do procesu ma wyższy priorytet niż specyfika i opisuje spos COM/RPC - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Wyłączenie domyślnego użycia RpcMgmtSetComTimeout (może rozwiązać problemy z kompatybilnością) - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Izolacja bezpieczeństwa poprzez użycie silnie ograniczonego tokena procesu jest podstawowym sposobem Sandboxie wymuszania ograniczeń piaskownicy, gdy Izolacja jest wyłączona to boks działa w trybie komory aplikacji, tj. nie zapewnia już niezawodnego bezpieczeństwa, tylko prosty podział aplikacji na komory. @@ -9135,61 +9263,61 @@ Poziom dopasowania do procesu ma wyższy priorytet niż specyfika i opisuje spos Różne zaawansowane funkcje izolacji mogą zakłócić zgodność z niektórymi aplikacjami. Jeśli używasz tej piaskownicy <b>NIE dla bezpieczeństwa</b>, ale dla prostej przenośności aplikacji, zmieniając te opcje, możesz przywrócić zgodność, poświęcając część bezpieczeństwa. - + Security Isolation & Filtering Izolacja i filtrowanie bezpieczeństwa - + Disable Security Filtering (not recommended) Wyłącz filtrowanie zabezpieczeń (niezalecane) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Filtrowanie bezpieczeństwa używane przez Sandboxie do wymuszania ograniczeń dostępu do systemu plików i rejestru, a także do ograniczania dostępu do procesów. - + The below options can be used safely when you don't grant admin rights. Poniższe opcje mogą być bezpiecznie użyte, gdy nie nadano uprawnień administratora. - + Triggers Wyzwalacze - + Event Zdarzenie - - - - + + + + Run Command Uruchom polecenie - + Start Service Uruchom usługę - + These events are executed each time a box is started Zdarzenia te wykonywane są za każdym razem, gdy uruchamiany jest boks - + On Box Start Włącz w start boksu - - + + These commands are run UNBOXED just before the box content is deleted Te polecenia uruchamiane są tuż przed usunięciem zawartości boksu @@ -9198,43 +9326,43 @@ Poziom dopasowania do procesu ma wyższy priorytet niż specyfika i opisuje spos Przy usuwaniu boksu - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Polecenia te wykonywane są tylko wtedy, gdy boks jest inicjalizowany. Aby je ponownie uruchomić, należy usunąć zawartość boksu. - + On Box Init Włącz w Init boksu - + Here you can specify actions to be executed automatically on various box events. W tym miejscu można określić akcje, które mają być wykonywane automatycznie w przypadku różnych zdarzeń w boksie. - + Disable Resource Access Monitor Wyłącz monitor dostępu do zasobów - + Resource Access Monitor Monitor dostępu do zasobów - - + + Network Firewall Zapora sieciowa - + Template Folders Foldery szablonów - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -9243,313 +9371,308 @@ Please note that this values are currently user specific and saved globally for Należy pamiętać, że te wartości są obecnie specyficzne dla użytkownika i zapisywane globalnie dla wszystkich boksów. - - + + Value Wartość - + Accessibility Dostępność - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Aby zrekompensować utratę ochrony, zapoznaj się ze stroną ustawień Usuwania Uprawnień w grupie ustawień Ograniczenia. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Czytniki ekranu: JAWS, NVDA, Window-Eyes, System Access - + Other Options - + Port Blocking - + Block common SAMBA ports - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + Only Administrator user accounts can make changes to this sandbox - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Resolve hostnames via proxy - + Block DNS, UDP port 53 - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. Gdy globalny klawisz skrótu zostanie naciśnięty 3 razy w krótkim odstępie czasu, wyjątek ten zostanie zignorowany. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. Wyklucza tę piaskownicę z zakończenia po wywołaniu opcji "Zakończ wszystkie procesy". - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Job Object - + Total Processes Memory Limit: - + Single Process Memory Limit: - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Restart force process before they begin to execute - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. Funkcjonalność Sandboxie można rozszerzyć za pomocą opcjonalnych bibliotek DLL, które mogą być ładowane do każdego procesu sandboxie podczas uruchamiania przez plik SbieDll.dll, menedżer dodatków w ustawieniach globalnych oferuje kilka przydatnych rozszerzeń, po zainstalowaniu można je tutaj włączyć dla bieżącej skrzynki. - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Tutaj można skonfigurować zaawansowane opcje dla poszczególnych procesów, aby poprawić zgodność i/lub dostosować zachowanie piaskownicy. - + On Box Terminate - + Privacy - + Hide Network Adapter MAC Address - + Hide Firmware Information Hide Firmware Informations - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Don't allow sandboxed processes to see processes running outside any boxes - + API call Trace (traces all SBIE hooks) - + Syscall Trace (creates a lot of output) Syscall Trace (tworzy dużo danych wyjściowych) - + Templates Szablony - + Open Template - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Poniższe ustawienia umożliwiają korzystanie z usługi Sandboxie w połączeniu z oprogramowaniem zapewniającym dostępność. Należy pamiętać, że niektóre środki ochrony Sandboxie są z konieczności tracone, gdy te ustawienia są aktywne. - + Edit ini Section Edytuj sekcję ini - + Edit ini Edytuj ini - + Cancel Anuluj - + Save Zapisz @@ -9565,7 +9688,7 @@ Partially checked: No groups will be added to the newly created sandboxed token. ProgramsDelegate - + Group: %1 Grupa: %1 @@ -9573,7 +9696,7 @@ Partially checked: No groups will be added to the newly created sandboxed token. QObject - + Drive %1 Dysk %1 @@ -9581,27 +9704,27 @@ Partially checked: No groups will be added to the newly created sandboxed token. QPlatformTheme - + OK OK - + Apply Zastosuj - + Cancel Anuluj - + &Yes &Tak - + &No &Nie @@ -9614,7 +9737,7 @@ Partially checked: No groups will be added to the newly created sandboxed token. Sandboxie-Plus - Przywracanie - + Close Zamknij @@ -9634,27 +9757,27 @@ Partially checked: No groups will be added to the newly created sandboxed token. Skasuj zawartość - + Recover Przywróć - + Refresh Odśwież - + Delete Usuń - + Show All Files Pokaż wszystkie pliki - + TextLabel Etykieta @@ -9725,12 +9848,12 @@ Partially checked: No groups will be added to the newly created sandboxed token. Pokaż powiadomienia dla ważnych wiadomości - + Open urls from this ui sandboxed Otwieraj strony www tego programu w piaskownicy - + Run box operations asynchronously whenever possible (like content deletion) Zawsze, gdy to możliwe, uruchamiaj operacje boksu asynchronicznie (np. usuwanie zawartości) @@ -9740,109 +9863,109 @@ Partially checked: No groups will be added to the newly created sandboxed token. Ogólne opcje - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Policz i wyświetl miejsce na dysku zajmowane przez każdą piaskownicę - + Hotkey for suspending all processes: Hotkey for suspending all process - + Hotkey for bringing sandman to the top: Skrót klawiszowy do przeniesienia Sandmana na szczyt: - + Hotkey for suspending process/folder forcing: Klawisz skrótu do zawieszania wymuszania procesów/folderów: - + Check sandboxes' auto-delete status when Sandman starts - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie może wysyłać <a href="sbie://docs/sbiemessages">wiadomości SBIE</a> do dziennika wiadomości i pokazywać je jako wyskakujące okienka. Niektóre komunikaty mają charakter informacyjny i powiadamiają o wystąpieniu typowego lub w niektórych przypadkach specjalnego zdarzenia, inne komunikaty wskazują na stan błędu.<br />Możesz ukryć wybrane komunikaty SBIE przed wyskakiwaniem, korzystając z poniższej listy: - + Disable SBIE messages popups (they will still be logged to the Messages tab) Wyłącz wyskakujące okienka wiadomości SBIE (nadal będą one rejestrowane na karcie Wiadomości) - + Integrate with Host Desktop Zintegruj z Hostem Desktop - + System Tray Zasobnik systemowy - + Show boxes in tray list: Pokaż boksy na liście: - + Add 'Run Un-Sandboxed' to the context menu Dodaj opcję 'Uruchom bez piaskownicy' do menu kontekstowego - + Show a tray notification when automatic box operations are started Pokaż powiadomienia w pasku, gdy uruchamiane są automatyczne operacje boksu - + Hide SandMan windows from screen capture (UI restart required) - + Add-Ons Manager Menedżer dodatków - + Optional Add-Ons Dodatki opcjonalne - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus oferuje wiele opcji i obsługuje szeroką gamę rozszerzeń. Na tej stronie można skonfigurować integrację dodatków, wtyczek i innych komponentów innych firm. Opcjonalne komponenty można pobrać z Internetu, a niektóre instalacje mogą wymagać uprawnień administracyjnych. - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">aktualizuj listę dodatków teraz</a> - + Activate Kernel Mode Object Filtering Włącz filtrowanie obiektów w trybie jądra - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Przechwytuj wybrane wywołania systemowe Win32k, aby włączyć przyspieszenie GPU (eksperymentalne) - + Recovery Options Opcje odzyskiwania - + Start Menu Integration Integracja menu startowego @@ -9851,22 +9974,22 @@ Partially checked: No groups will be added to the newly created sandboxed token. Zintegruj boksy z menu startowym hosta - + Scan shell folders and offer links in run menu Skanuj foldery powłoki i oferuj linki w menu uruchamiania - + Integrate with Host Start Menu Zintegruj z menu startowym hosta - + Use new config dialog layout * Użyj nowego układu okna dialogowego konfiguracji * - + Sandboxie Updater Aktualizacja Sandboxie @@ -9875,96 +9998,96 @@ Partially checked: No groups will be added to the newly created sandboxed token. Aktualizuj listę dodatków - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Kanał Insider oferuje wczesny dostęp do nowych funkcji i poprawek błędów, które ostatecznie zostaną udostępnione publicznie, a także wszystkie istotne ulepszenia ze stabilnego kanału. W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalnie przełomowych lub eksperymentalnych zmian, które mogą nie być gotowe do szerszego wykorzystania. - + Search in the Insider channel Szukaj w kanale Insider - + Check periodically for new Sandboxie-Plus versions Okresowo sprawdzaj dostępność nowych wersji Sandboxie-Plus - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> Więcej informacji na temat <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Kanału Insider</a> - + Keep Troubleshooting scripts up to date Aktualizuj skrypty rozwiązywania problemów - + Use a Sandboxie login instead of an anonymous token Użyj loginu Sandboxie zamiast anonimowego tokena - + Program Alerts Alerty programu - + Issue message 1301 when forced processes has been disabled Komunikat 1301 po wyłączeniu wymuszania procesów - + Only Administrator user accounts can use Pause Forcing Programs command Tylko konta użytkowników typu Administrator mogą używać polecenia Wstrzymaj Wymuszanie Programów - + This option also enables asynchronous operation when needed and suspends updates. Ta opcja umożliwia również w razie potrzeby działanie asynchroniczne i wstrzymuje aktualizacje. - + Suppress pop-up notifications when in game / presentation mode Pomiń wyskakujące powiadomienia w trybie gry / prezentacji - + User Interface Interfejs użytkownika - + Run Menu Uruchom Menu 'Wykonaj' - + Add program Dodaj program - + You can configure custom entries for all sandboxes run menus. Można skonfigurować niestandardowe wpisy dla wszystkich menu uruchamiania piaskownic. - - - + + + Remove Usuń - + Command Line Wiersz poleceń - + Support && Updates Wsparcie i aktualizacje @@ -9973,7 +10096,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Konfiguracja piaskownicy - + Default sandbox: Domyślna piaskownica: @@ -9982,22 +10105,22 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Zgodność - + Edit ini Section Edytuj sekcję ini - + Save Zapisz - + Edit ini Edytuj ini - + Cancel Anuluj @@ -10006,7 +10129,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Wsparcie - + Incremental Updates Version Updates Aktualizacje wersji @@ -10016,22 +10139,22 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Nowe pełne wersje z wybranego kanału dystrybucji. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Świeże poprawki dla zainstalowanej wersji, aktualizacji Templates.ini i tłumaczeń. - + The preview channel contains the latest GitHub pre-releases. Kanał podglądu zawiera najnowsze wersje przed finalne z GitHub. - + The stable channel contains the latest stable GitHub releases. Kanał stabilny zawiera najnowsze stabilne wersje z GitHub. - + Search in the Stable channel Szukaj w kanale stabilnym @@ -10040,7 +10163,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Utrzymywanie Sandboxie na bieżąco z nowymi wersjami systemu Windows i kompatybilność ze wszystkimi przeglądarkami internetowymi to niekończące się przedsięwzięcie. Rozważ wsparcie tej pracy darowizną.<br />Możesz wesprzeć rozwój za pomocą <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">darowizny PayPal</a>, działa również z kartami kredytowymi.<br />Lub możesz zapewnić ciągłe wsparcie dzięki <a href="https://sandboxie-plus.com/go.php?to=patreon">subskrypcji Patreon</a>. - + Search in the Preview channel Szukaj w kanale podglądu @@ -10073,27 +10196,27 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Wymaga restartu (!) - + Start UI with Windows Uruchom interfejs wraz z Windows - + Add 'Run Sandboxed' to the explorer context menu Dodaj 'Wykonaj w Piaskownicy' do menu kontekstowego - + On main window close: Przy zamknięciu głównego okna: - + Start UI when a sandboxed process is started Uruchom interfejs przy starcie procesów w piaskownicy - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Pokaż pierwsze okno przywracania podczas opróżniania piaskownicy @@ -10103,22 +10226,22 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Użyj ciemnego motywu (zadziała w pełni po restarcie SB+) - + Config protection Ochrona konfiguracji - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Piaskownica <a href="sbie://docs/ipcrootpath">ipc root</a>: - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Piaskownica <a href="sbie://docs/keyrootpath">registry root</a>: - + Clear password when main window becomes hidden Wyczyść hasło, gdy zostanie ukryte okno główne @@ -10127,22 +10250,22 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Tylko konta użytkowników typu Administrator mogą używać polecenia Wstrzymaj Programy Wymuszone - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Piaskownica <a href="sbie://docs/filerootpath">file system root</a>: - + Hotkey for terminating all boxed processes: Skrót do zakończenia wszystkich procesów w boksie: - + Systray options Opcje paska zadań - + Show recoverable files as notifications Pokaż odzyskiwalne pliki jako powiadomienia @@ -10152,37 +10275,37 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Język interfejsu: - + Show Icon in Systray: Pokaż ikonę w pasku zadań: - + Shell Integration Integracja powłoki - + Run Sandboxed - Actions Uruchom Sandboxed - Akcje - + Always use DefaultBox Zawsze używaj DefaultBox - + Start Sandbox Manager Uruchom Menedżera piaskownicy - + Advanced Config Konfiguracja zaawansowana - + Use Windows Filtering Platform to restrict network access Użyj platformy filtrowania systemu Windows, aby ograniczyć dostęp do sieci @@ -10195,7 +10318,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Oddziel foldery użytkowników - + Sandboxing features Funkcje piaskownicy @@ -10204,28 +10327,28 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Osoby wspierające projekt Sandboxie-Plus otrzymują <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certyfikat wsparcia</a>. To jest jak klucz licencyjny, ale dla wspaniałych ludzi używających oprogramowania open source :-) - + Program Control Kontrola programu - + Sandboxie Config Config Protection Ochrona konfiguracji - + Only Administrator user accounts can make changes Tylko administratorzy mogą zmieniać ustawienia - + Password must be entered in order to make changes Wymagaj podania hasła, aby zmienić ustawienia - + Change Password Zmień hasło @@ -10234,7 +10357,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Utrzymywanie Sandboxie na bieżąco z nowymi wersjami systemu Windows i kompatybilność ze wszystkimi przeglądarkami internetowymi to niekończące się przedsięwzięcie. Rozważ wsparcie tej pracy darowizną.<br />Możesz wesprzeć rozwój za pomocą <a href="https://sandboxie-plus.com/go.php?to=donate">darowizny PayPal</a>, działa również z kartami kredytowymi.<br />Lub możesz zapewnić ciągłe wsparcie dzięki <a href="https://sandboxie-plus.com/go.php?to=patreon">subskrypcji Patreon</a>. - + Enter the support certificate here Wpisz tutaj certyfikat wsparcia @@ -10243,109 +10366,109 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Ustawienia wsparcia - + Portable root folder Przenośny folder główny - + ... ... - + Sandbox default Ścieżki piaskownicy - + Watch Sandboxie.ini for changes Obserwuj modyfikacje Sandboxie.ini - + Use Compact Box List Użyj kompaktowej listy boksów - + Interface Config Konfiguracja interfejsu - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Pokaż tło "Pizza" na liście boksów * - + (Restart required) (Wymagany restart) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * częściowo zaznaczone pole wyboru spowoduje, że zachowanie zostanie określone przez tryb widoku. - + Make Box Icons match the Border Color Dopasuj ikony boksu do koloru obramowania - + Use a Page Tree in the Box Options instead of Nested Tabs * Użyj drzewa stron w opcjach boksu zamiast zagnieżdżonych kart * - - + + Interface Options Opcje interfejsu - + Use large icons in box list * Użyj dużych ikon na liście boksów * - + High DPI Scaling Skalowanie wysokiego DPI - + Don't show icons in menus * Nie pokazuj ikon w menu * - + Use Dark Theme Użyj ciemny motyw - + Font Scaling Skalowanie czcionki - + Show the Recovery Window as Always on Top Pokaż okno odzyskiwania jako Zawsze na wierzchu - + % % - + Alternate row background in lists Alternatywne tło wierszy na listach - + Use Fusion Theme Użyj motywu Fusion @@ -10354,41 +10477,41 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Użyj loginu Sandboxie zamiast anonimowego tokena (eksperymentalne) - - - - - + + + + + Name Nazwa - + Path Ścieżka - + Remove Program Usuń program - + Add Program Dodaj Program - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Gdy jakikolwiek z następujących programów jest uruchomiony poza piaskownicą, Sandboxie wyświetli wiadomość SBIE1301. - + Add Folder Dodaj folder - + Prevent the listed programs from starting on this system Zapobiegaj uruchamianiu wymienionych programów w tym systemie @@ -10398,37 +10521,37 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Opcje SandMan - + Notifications Powiadomienia - + Add Entry Dodaj wpis - + Show file migration progress when copying large files into a sandbox Pokaż postęp migracji plików podczas kopiowania dużych plików do piaskownicy - + Message ID ID wiadomości - + Message Text (optional) Tekst wiadomości (opcjonalnie) - + SBIE Messages Wiadomości SBIE - + Delete Entry Usuń wpis @@ -10437,7 +10560,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Nie pokazuj wyskakującego komunikatu dziennika dla wszystkich komunikatów SBIE - + Notification Options Opcje powiadomień @@ -10447,7 +10570,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Sandboxie może wysyłać <a href= "sbie://docs/ sbiemessages">wiadomości SBIE</a> do dziennika wiadomości i wyświetlać je jako wyskakujące okienka. Niektóre komunikaty mają charakter informacyjny i powiadamiają o wystąpieniu typowego lub w niektórych przypadkach specjalnego zdarzenia, inne komunikaty wskazują na stan błędu.<br />Możesz ukryć wybrane komunikaty SBIE przed wyskakiwaniem, korzystając z poniższej listy: - + Windows Shell Powłoka Windows @@ -10456,68 +10579,68 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Ikona - + Move Up Przesuń w górę - + Move Down Przesuń w dół - + Show overlay icons for boxes and processes Pokaż ikony nakładek dla boksów i procesów - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list Ukryj własne procesy Sandboxie na liście zadań - + Ini Editor Font Czcionka edytora Ini - + Graphic Options Opcje graficzne - + Open/Close from/to tray with a single click Otwieranie/zamykanie z/do zasobnika za pomocą jednego kliknięcia - + Minimize to tray Minimalizuj do zasobnika - + Select font Wybierz czcionkę - + Reset font Zresetuj czcionkę - + Ini Options Opcje Ini - + # # - + External Ini Editor Zewnętrzny edytor Ini @@ -10534,17 +10657,17 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Sandboxie-Plus oferuje wiele opcji i obsługuje szeroką gamę rozszerzeń. Na tej stronie można skonfigurować integrację dodatków, wtyczek i innych komponentów innych firm. Opcjonalne komponenty można pobrać z Internetu, a niektóre instalacje mogą wymagać uprawnień administracyjnych. - + Status Status - + Version Wersja - + Description Opis @@ -10553,243 +10676,253 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni <a href="sbie://addons">zaktualizuj teraz listę dodatków</a> - + Install Instaluj - + Add-On Configuration Konfiguracja dodatków - + Enable Ram Disk creation Włącz tworzenie dysku Ram - + kilobytes kilobajtów - + Assign drive letter to Ram Disk Przydziel literę dysku do dysku Ram - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Zainstaluj sterownik ImDisk</a>, aby włączyć obsługę dysku RAM i obrazu dysku. - + Disk Image Support Obsługa obrazów dysków - + RAM Limit Limit RAM - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. Jeśli dysk Ram jest już zamontowany, należy go odmontować, aby ta opcja zaczęła działać. - + * takes effect on disk creation * zaczyna obowiązywać w momencie utworzenia dysku - + Sandboxie Support Wsparcie piaskownicy - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Ten certyfikat wsparcia wygasł. <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">pobierz zaktualizowany certyfikat</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Sponsorzy projektu Sandboxie-Plus mogą otrzymać <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certyfikat sponsora</a>. To jak klucz licencyjny, ale dla niesamowitych ludzi korzystających z oprogramowania open source. :-) - + Get Uzyskaj - + Retrieve/Upgrade/Renew certificate using Serial Number Pobieranie/Uaktualnianie/Odnawianie certyfikatu przy użyciu numeru seryjnego - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Aktualizowanie Sandboxie z kolejnymi wersjami systemu Windows i kompatybilność ze wszystkimi przeglądarkami internetowymi to niekończące się przedsięwzięcie. Możesz wesprzeć rozwój poprzez <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">bezpośredni wkład w projekt</a>, pokazując swoje wsparcie poprzez <a href= "https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">kupując certyfikat wspierający</a>, zostając patronem <a href="https://sandboxie-plus. com/go.php?to=patreon">subskrypcja na Patreonie</a> lub poprzez <a href="https://sandboxie-plus.com/go.php?to=donate">darowiznę PayPal</ a>.<br />Twoje wsparcie odgrywa kluczową rolę w rozwoju i utrzymaniu Sandboxie. - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + HwId: 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits - + Cert Info - + Keep add-on list up to date Aktualizuj listę dodatków - + Update Settings Ustawienia aktualizacji - + New full installers from the selected release channel. Nowe pełne instalatory z wybranego kanału wydania. - + Full Upgrades Pełne aktualizacje - + Update Check Interval Interwał sprawdzania aktualizacji - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Sandboxie.ini Presets Wstępne ustawienia Sandboxie.in - + Always run SandMan UI as Admin - + Issue message 1308 when a program fails to start Pokaż wiadomość 1308, gdy program nie może uruchomić się - + USB Drive Sandboxing Piaskownica dysków USB - + Volume Pojemność - + Information Informacja - + Sandbox for USB drives: Piaskownica dla napędów USB: - + Automatically sandbox all attached USB drives Automatyczna piaskownica wszystkich podłączonych dysków USB - + App Templates Dodaj szablony - + App Compatibility Kompatybilność aplikacji - + In the future, don't check software compatibility W przyszłości nie sprawdzaj szablonów kompatybilności - + Enable Włączyć - + Disable Wyłącz - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie wykrył następujące aplikacje w twoim systemie. Kliknij OK, aby zastosować ustawienia konfiguracji, co poprawi zgodność z tymi aplikacjami. Te ustawienia konfiguracji będą obowiązywać we wszystkich istniejących piaskownicach i wszystkich nowych piaskownicach. - + Local Templates Szablony lokalne - + Add Template Dodaj szablon - + Open Template - + Text Filter Filtruj text - + This list contains user created custom templates for sandbox options Ta lista zawiera utworzone przez użytkownika własne szablony opcji piaskownicy @@ -10798,7 +10931,7 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Nowe wersje - + In the future, don't notify about certificate expiration W przyszłości nie powiadamiaj o wygaśnięciu certyfikatu @@ -10821,37 +10954,37 @@ W przeciwieństwie do kanału podglądu nie zawiera niesprawdzonych, potencjalni Nazwa: - + Description: Opis: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Po usunięciu zawartości migawki zostanie ona zwrócona do tej migawki zamiast do żadnej. - + Default snapshot Domyślna migawka - + Snapshot Actions Akcje migawkowe - + Remove Snapshot Usuń migawkę - + Go to Snapshot Aktywuj migawkę - + Take Snapshot Zrób migawkę diff --git a/SandboxiePlus/SandMan/sandman_pt_BR.ts b/SandboxiePlus/SandMan/sandman_pt_BR.ts index 78c5eaad..ed2f21d7 100644 --- a/SandboxiePlus/SandMan/sandman_pt_BR.ts +++ b/SandboxiePlus/SandMan/sandman_pt_BR.ts @@ -9,53 +9,53 @@ - + kilobytes - + Protect Box Root from access by unsandboxed processes Proteger Raiz da Caixa do acesso por processos fora da caixa - - + + TextLabel - + Show Password Mostrar Senha - + Enter Password Digitar Senha - + New Password Nova Senha - + Repeat Password Repetir Senha - + Disk Image Size Tamanho da Imagem de Disco - + Encryption Cipher Criptografia Cipher - + Lock the box when all processes stop. Bloquear caixa quando todos os processos pararem. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? Deseja baixar e instalar %1? - + Installing: %1 Instalando: %1 - + Add-on not found, please try updating the add-on list in the global settings! Complemento não encontrado, tente atualizar a lista de complementos nas configurações globais! - + Add-on Not Found Complemento não Encontrado - + Add-on is not available for this platform Addon is not available for this paltform O complemento não está disponível para essa plataforma - + Missing installation instructions Missing instalation instructions Instruções de instalação ausentes - + Executing add-on setup failed Falha ao executar a configuração do complemento - + Failed to delete a file during add-on removal Falha ao excluir um arquivo durante a remoção do complemento - + Updater failed to perform add-on operation Updater failed to perform plugin operation O atualizador não conseguiu executar a operação complementar - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 O atualizador não conseguiu executar a operação complementar, erro: %1 - + Do you want to remove %1? Você quer remover %1? - + Removing: %1 Removendo: %1 - + Add-on not found! Complemento não encontrado! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Opções avançadas da caixa de areia - + On this page advanced sandbox options can be configured. Nessa página, as opções avançadas da caixa podem ser configuradas. @@ -191,34 +191,34 @@ Usar um login do Sandboxie em vez de um token anônimo - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Impedir que programas das caixas de areia instalados no host carreguem dll's da caixa de areia - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. Esse recurso pode reduzir a compatibilidade, pois também impede que processos localizados nas caixas gravem no host local e até mesmo os iniciem. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. Esse recurso pode causar um declínio na experiência do usuário porque também impede capturas de tela normais. - + Shared Template Modelo Compartilhado - + Shared template mode Modo de modelo compartilhado - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -226,52 +226,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. Essa opção não adiciona nenhuma configuração à configuração da caixa e não remove as configurações padrão da caixa com base nas configurações de remoção de modelo. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set Remover padrões, se definido - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Desativado - + Advanced Options Opções Avançadas - + Prevent sandboxed windows from being captured Impedir que janelas nas caixas sejam capturadas - + Use as a template Usar como modelo - + Append to the configuration Acrescentar à configuração @@ -389,17 +399,17 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Digite as senhas de criptografia para importar o arquivo: - + kilobytes (%1) - + Passwords don't match!!! As senhas não coincidem!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -408,7 +418,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are Recomenda-se escolher uma senha com 20 ou mais caracteres. Tem certeza de que deseja usar uma senha curta? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -417,7 +427,7 @@ Esse comprimento permite aproximadamente 384 bits de entropia com uma senha comp aumenta para 512 bits com a aplicação de modificações de fala de Leet (L337) e excede 768 bits quando composto de caracteres ASCII imprimíveis totalmente aleatórios. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. A Imagem de Disco da Caixa deve ter pelo menos 256MB de tamanho, 2GB são recomendados. @@ -433,22 +443,22 @@ aumenta para 512 bits com a aplicação de modificações de fala de Leet (L337) CBoxTypePage - + Create new Sandbox Criar nova Caixa de Areia - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. Uma caixa isola seu sistema host dos processos em execução dentro da caixa, evitando que eles façam alterações permanentes em outros programas e dados em seu computador. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Uma caixa de areia isola seu sistema host de processos em execução dentro da caixa, ela os impede de fazer alterações permanentes em outros programas e dados no seu computador. O nível de isolamento impacta sua segurança, bem como a compatibilidade com aplicativos, portanto, haverá um nível diferente de isolamento, dependendo do tipo de caixa selecionada. O Sandboxie também pode proteger seus dados pessoais de serem acessados ​​por processos em execução sob sua supervisão. - + Enter box name: Digite o nome da caixa: @@ -457,18 +467,18 @@ aumenta para 512 bits com a aplicação de modificações de fala de Leet (L337) Nova Caixa - + Select box type: Sellect box type: Selecione o tipo de caixa: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Caixa com <a href="sbie://docs/security-mode">Segurança Reforçada</a> e <a href="sbie://docs/privacy-mode">Proteção de Dados</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -477,64 +487,64 @@ Ela limita estritamente o acesso aos dados do usuário, permitindo que os proces Todo o perfil do usuário permanece oculto, garantindo a máxima segurança. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox Caixa com <a href="sbie://docs/security-mode">Segurança Reforçada</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Esse tipo de caixa oferece o mais alto nível de proteção, reduzindo significativamente a superfície de ataque exposta a processos na caixa de areia. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Caixa de Areia com <a href="sbie://docs/privacy-mode">Proteção de Dados</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. Nesse tipo de caixa, os processos do sandbox são impedidos de acessar quaisquer arquivos ou dados pessoais do usuário. O foco está na proteção dos dados do usuário e, como tal, apenas os diretórios C:\Windows e C:\Arquivos de Programas são acessíveis aos processos em execução nessa caixa. Isso garante que os arquivos pessoais permaneçam seguros. - + Standard Sandbox Caixa de Areia Padrão - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Esse tipo de caixa oferece o comportamento padrão do Sandboxie clássico. Ela fornece aos usuários um esquema de caixa familiar e confiável. Os aplicativos podem ser executados nessa caixa, garantindo que operem em um espaço controlado e isolado. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> Caixa com <a href="sbie://docs/compartment-mode">Compartimento de Aplicativo</a> e <a href="sbie://docs/privacy-mode">Proteção de Dados</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Esse tipo de caixa prioriza a compatibilidade e ao mesmo tempo fornece um bom nível de isolamento. Ela foi projetada para executar aplicativos confiáveis ​​em compartimentos separados. Embora o nível de isolamento seja reduzido em comparação com outros tipos de caixa, ela oferece compatibilidade aprimorada com uma ampla gama de aplicações, garantindo uma operação suave no ambiente da caixa de areia. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box Caixa com <a href="sbie://docs/compartment-mode">Compartimento de Aplicativos</a> - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> Caixa com conteúdo <a href="sbie://docs/boxencryption">Criptografado</a> e definida como <a href="sbie://docs/black-box">Confidencial</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -543,42 +553,42 @@ O acesso ao disco virtual quando montado é restrito a programas em execução n Isso garante o máximo nível de privacidade e proteção de dados dentro do ambiente da caixa de areia confidencial. - + Hardened Sandbox with Data Protection Caixa com Proteção de Dados Rigorosa - + Security Hardened Sandbox Caixa com Segurança Rigorosa - + Sandbox with Data Protection Caixa com Proteção de Dados - + Standard Isolation Sandbox (Default) Caixa com Isolamento Padrão (Padrão) - + Application Compartment with Data Protection Compartimento de Aplicativos com Proteção de Dados - + Application Compartment Box Caixa de Compartimento de Aplicativos - + Confidential Encrypted Box Caixa Criptografada e Confidencial - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? Para usar caixas criptografadas você precisa instalar o ImDisk driver, deseja fazer o download e instalá-lo? @@ -588,17 +598,17 @@ Isso garante o máximo nível de privacidade e proteção de dados dentro do amb Compartimento de Aplicativos (SEM Isolamento) - + Remove after use Remover após o uso - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Depois que o último processo na caixa terminar, todos os dados na caixa serão excluídos e a própria caixa será removida. - + Configure advanced options Configurar opções avançadas @@ -890,36 +900,64 @@ Você pode clicar em Concluir para fechar esse assistente. Sandboxie-Plus - Exportação do Sandbox - + + 7-Zip + + + + + Zip + + + + Store Armazenar - + Fastest Mais rápido - + Fast Rápido - + Normal Normal - + Maximum Máximo - + Ultra Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + + + + + This name is already in use, please select an alternative box name + Esse nome já está em uso, selecione um nome de caixa alternativo + + CFileBrowserWindow @@ -989,13 +1027,13 @@ Você pode clicar em Concluir para fechar esse assistente. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure Localização e comportamento da caixa de areia - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -1004,64 +1042,64 @@ You can use %USER% to save each users sandbox to an own fodler. Você pode usar %USER% para salvar a caixa de proteção de cada usuário em uma pasta própria. - + Sandboxed Files Arquivos da Caixa - + Select Directory Selecionar Diretório - + Virtualization scheme Esquema de virtualização - + Version 1 Versão 1 - + Version 2 Versão 2 - + Separate user folders Pasta de usuários separada - + Use volume serial numbers for drives Usar números de série de volume para unidades - + Auto delete content when last process terminates Excluir conteúdo automaticamente quando o último processo terminar - + Enable Immediate Recovery of files from recovery locations Ativar recuperação imediata de arquivos em locais de recuperação - + The selected box location is not a valid path. The sellected box location is not a valid path. A localização da caixa selecionada não é um caminho válido. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? A localização da caixa selecionada existe e não está vazia, é recomendável escolher uma pasta nova ou vazia. Tem certeza de que deseja usar uma pasta existente? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. O local da caixa selecionada não foi colocado em uma unidade disponível no momento. @@ -1202,83 +1240,83 @@ Você pode usar %USER% para salvar a caixa de proteção de cada usuário em uma CIsolationPage - + Sandbox Isolation options Opções de isolamento do sandbox - + On this page sandbox isolation options can be configured. Nessa página as opções de isolamento do sandbox podem ser configuradas. - + Network Access Acesso à Rede - + Allow network/internet access Permitir acesso à rede/internet - + Block network/internet by denying access to Network devices Bloquear rede/internet negando acesso a dispositivos de rede - + Block network/internet using Windows Filtering Platform Bloquear rede/internet usando a Plataforma de Filtragem do Windows - + Allow access to network files and folders Permitir acessar arquivos e pastas de rede - - + + This option is not recommended for Hardened boxes Essa opção não é recomendada para caixas com segurança rigorosas - + Prompt user whether to allow an exemption from the blockade Perguntar ao usuário se deseja permitir uma isenção de bloqueio - + Admin Options Opções de Administrador - + Drop rights from Administrators and Power Users groups Retirar direitos de grupos de Administradores e Usuários Avançados - + Make applications think they are running elevated Fazer os aplicativos pensarem que estão sendo executados em nível elevado - + Allow MSIServer to run with a sandboxed system token Permitir que MSIServer seja executado com um token de sistema na caixa - + Box Options Opções da Caixa - + Use a Sandboxie login instead of an anonymous token Usar um login do Sandboxie em vez de um token anônimo - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Usando um Token do Sandboxie personalizado permite isolar melhor as caixas individuais umas das outras e mostra na coluna de usuário dos gerenciadores de tarefas o nome da caixa à qual um processo pertence. Algumas soluções de segurança de terceiros podem, no entanto, ter problemas com tokens personalizados. @@ -1396,24 +1434,25 @@ Você pode usar %USER% para salvar a caixa de proteção de cada usuário em uma - + Add your settings after this line. Adicione suas configurações após essa linha. - + + Shared Template Modelo Compartilhado - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. A nova caixa foi criada usando o novo <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Esquema de Virtualização Versão 2</a>, se você tiver problemas inesperados com essa caixa, mude para o Esquema de Virtualização para a Versão 1 e relate o problema, a opção para alterar essa predefinição pode ser encontrada nas Opções de Caixa no grupo Estrutura de Caixa. - + Don't show this message again. Não mostrar essa mensagem novamente. @@ -1429,7 +1468,7 @@ Você pode usar %USER% para salvar a caixa de proteção de cada usuário em uma COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1438,38 +1477,38 @@ Do you still want to update? Você ainda deseja atualizar? - + Do you want to check if there is a new version of Sandboxie-Plus? Quer verificar se existe uma nova versão do Sandboxie-Plus? - + Don't show this message again. Não mostrar essa mensagem novamente. - + Checking for updates... Verificando por atualizações... - + server not reachable servidor não acessível - - + + Failed to check for updates, error: %1 Falha ao verificar atualizações, erro: %1 - + <p>Do you want to download the installer?</p> <p>Deseja baixar o instalador?</p> - + <p>Do you want to download the updates?</p> <p>Deseja baixar as atualizações?</p> @@ -1478,75 +1517,75 @@ Você ainda deseja atualizar? <p>Você quer ir para a <a href="%1">página de atualização</a>?</p> - + Don't show this update anymore. Não mostrar mais essa atualização. - + Downloading updates... Baixando atualizações... - + invalid parameter parâmetro inválido - + failed to download updated information failed to download update informations falha ao baixar informações de atualização - + failed to load updated json file failed to load update json file falha ao carregar arquivo json atualizado - + failed to download a particular file falha ao baixar um arquivo específico - + failed to scan existing installation falha ao verificar a instalação existente - + updated signature is invalid !!! update signature is invalid !!! assinatura atualizada é inválida!!! - + downloaded file is corrupted arquivo baixado está corrompido - + internal error erro interno - + unknown error erro desconhecido - + Failed to download updates from server, error %1 Falha ao baixar as atualizações do servidor, erro %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Atualizações para Sandboxie-Plus foram baixadas.</p><p>Deseja aplicar essas atualizações? Se algum programa estiver sendo executado em uma caixa, ele será encerrado.</p> - + Downloading installer... Baixando o instalador... @@ -1555,17 +1594,17 @@ Você ainda deseja atualizar? Falha ao baixar o instalador de: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Um novo instalador Sandboxie-Plus foi baixado para o seguinte local:</p><p><a href="%2">%1</a></p><p>Deseja iniciar a instalação? Se algum programa estiver sendo executado em uma caixa, ele será encerrado.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Você quer ir para a <a href="%1">página de informações</a>?</p> - + Don't show this announcement in the future. Não mostrar esse anúncio no futuro. @@ -1574,7 +1613,7 @@ Você ainda deseja atualizar? <p>Há uma nova versão do Sandboxie-Plus disponível.<br /><font color='red'>Nova versão:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Há uma nova versão do Sandboxie-Plus disponível.<br /><font color='red'><b>Nova versão:</b></font> <b>%1</b></p> @@ -1583,7 +1622,7 @@ Você ainda deseja atualizar? <p>Você quer baixar a versão mais recente?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Você quer ir para a <a href="%1">página de download</a>?</p> @@ -1592,7 +1631,7 @@ Você ainda deseja atualizar? Não mostre mais essa mensagem. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1624,9 +1663,9 @@ Nota: A verificação de atualização geralmente está por trás da versão mai COptionsWindow - - + + Browse for File Procurar por Arquivo @@ -1782,21 +1821,21 @@ Nota: A verificação de atualização geralmente está por trás da versão mai - - + + Select Directory Selecionar Diretório - + - - - - + + + + @@ -1806,12 +1845,12 @@ Nota: A verificação de atualização geralmente está por trás da versão mai Todos os Programas - - + + - - + + @@ -1845,8 +1884,8 @@ Nota: A verificação de atualização geralmente está por trás da versão mai - - + + @@ -1863,150 +1902,150 @@ Nota: A verificação de atualização geralmente está por trás da versão mai Por favor, insira um comando auto exec - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Ativar uso de ganchos win32 para processos selecionados. Nota: Você precisa ativar o suporte win32k syscall hook globalmente primeiro. - + Enable crash dump creation in the sandbox folder Ativar a criação de despejo de memória na pasta da caixa - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Sempre usar a correção ElevateCreateProcess, às vezes aplicada pelo Assistente de Compatibilidade de programa. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes Ative o comportamento inconsistente especial PreferExternalManifest, conforme necessário para algumas correções do Edge - + Set RpcMgmtSetComTimeout usage for specific processes Definir o uso de RpcMgmtSetComTimeout para processos específicos - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Fazer que uma chamada aberta de gravação para um arquivo que não será copiado falhe em vez de transformá-lo somente leitura. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. Fazer que os processos especificados pensem que têm permissões de administrador. - + Force specified processes to wait for a debugger to attach. Força os processos especificados a aguardar a anexação de um depurador. - + Sandbox file system root Raiz do sistema de arquivos do Sandbox - + Sandbox registry root Raiz de registro do Sandbox - + Sandbox ipc root Raiz do ipc do Sandbox - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: Adicionar opção especial: - - + + On Start Ao iniciar - - - - - + + + + + Run Command Executar comando - + Start Service Iniciar Serviço - + On Init Ao Iniciar - + On File Recovery Na recuperação de arquivos - + On Delete Content Ao excluir conteúdo - + On Terminate Ao Terminar - - - - - + + + + + Please enter the command line to be executed Digite a linha de comando a ser executada - + Please enter a program file name to allow access to this sandbox Digite um nome do arquivo de programa para permitir acesso a essa caixa - + Please enter a program file name to deny access to this sandbox Digite um nome do arquivo de programa para negar acesso a essa caixa - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. Tabela de firmware salva com sucesso no registro do host: HKEY_CURRENT_USER\System\SbieCustom<br />você pode copiá-la para o registro da caixa de areia para ter um valor diferente para cada caixa. @@ -2015,49 +2054,75 @@ Nota: A verificação de atualização geralmente está por trás da versão mai Insira o nome do programa - + Deny Negar - + %1 (%2) Same as in source %1 (%2) - - + + Process Processo - - + + Folder Pasta - + Children - - - + + Document + + + + + + Select Executable File Selecione o arquivo executável - - - + + + Executable Files (*.exe) Arquivos Executáveis (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? Forçar a entrada especificada provavelmente quebrará o Windows. Tem certeza de que deseja continuar? @@ -2144,131 +2209,131 @@ Nota: A verificação de atualização geralmente está por trás da versão mai Compartimento de Aplicativos - + Custom icon Personalizar ícone - + Version 1 Versão 1 - + Version 2 Versão 2 - + Browse for Program Procurar pelo programa - + Open Box Options Abrir opções da caixa - + Browse Content Navegador de conteúdo - + Start File Recovery Iniciar recuperação de arquivos - + Show Run Dialog Mostrar diálogo executar - + Indeterminate Indeterminado - + Backup Image Header Cabeçalho da Imagem de Backup - + Restore Image Header Restaurar Cabeçalho da Imagem - + Change Password Alterar Senha - - + + Always copy Sempre copiar - - + + Don't copy Não copiar - - + + Copy empty Copiar vazio - + kilobytes (%1) Only capitalized Kilobytes (%1) - + Select color Selecionar cor - + The image file does not exist O arquivo de imagem não existe - + The password is wrong A senha está errada - + Unexpected error: %1 Erro inesperado: %1 - + Image Password Changed Senha da Imagem Alterada - + Backup Image Header for %1 Cabeçalho da imagem de backup para %1 - + Image Header Backuped Backup do cabeçalho da imagem - + Restore Image Header for %1 Restaurar cabeçalho de imagem para %1 - + Image Header Restored Cabeçalho da imagem restaurado @@ -2277,7 +2342,7 @@ Nota: A verificação de atualização geralmente está por trás da versão mai Insira o caminho do programa - + Select Program Selecionar Programa @@ -2286,7 +2351,7 @@ Nota: A verificação de atualização geralmente está por trás da versão mai Executáveis (*.exe *.cmd);;Todos os arquivos (*.*) - + Please enter a service identifier Por favor, digite um identificador de serviço @@ -2299,18 +2364,18 @@ Nota: A verificação de atualização geralmente está por trás da versão mai Programa - + Executables (*.exe *.cmd) Executáveis (*.exe *.cmd) - - + + Please enter a menu title Por favor insira o título do menu - + Please enter a command Por favor, digite um comando @@ -2389,7 +2454,7 @@ Nota: A verificação de atualização geralmente está por trás da versão mai entrada: IP ou Porta não pode estar vazio - + Allow @@ -2534,62 +2599,62 @@ Selecione uma pasta que contenha esse arquivo. Você realmente quer excluir o modelo local selecionado? - + Sandboxie Plus - '%1' Options Opções do Sandboxie Plus - '%1' - + File Options Opções de Arquivo - + Grouping Agrupamento - + Add %1 Template Adicionar Modelo %1 - + Search for options Pesquisar opções - + Box: %1 Caixa: %1 - + Template: %1 Modelo: %1 - + Global: %1 - + Default: %1 Padrão: %1 - + This sandbox has been deleted hence configuration can not be saved. Essa caixa de areia foi excluída, portanto, a configuração não pode ser salva. - + Some changes haven't been saved yet, do you really want to close this options window? Algumas alterações ainda não foram salvas, você realmente quer fechar essa janela de opções? - + Enter program: Insira um programa: @@ -2641,12 +2706,12 @@ Selecione uma pasta que contenha esse arquivo. CPopUpProgress - + Dismiss Dispensar - + Remove this progress indicator from the list Remover esse indicador de progresso da lista @@ -2654,42 +2719,42 @@ Selecione uma pasta que contenha esse arquivo. CPopUpPrompt - + Remember for this process Lembrar para esse processo - + Yes Sim - + No Não - + Terminate Terminar - + Yes and add to allowed programs Sim e adicionar a programas permitidos - + Requesting process terminated Processo solicitado terminado - + Request will time out in %1 sec O pedido expirará em %1 seg - + Request timed out Pedido expirou @@ -2697,67 +2762,67 @@ Selecione uma pasta que contenha esse arquivo. CPopUpRecovery - + Recover to: Recuperar para: - + Browse Procurar - + Clear folder list Limpar lista de pastas - + Recover Recuperar - + Recover the file to original location Recuperar arquivo para o local original - + Recover && Explore Recuperar && Explorar - + Recover && Open/Run Recuperar && Abrir/Executar - + Open file recovery for this box Abrir recuperação de arquivo para essa caixa - + Dismiss Dispensar - + Don't recover this file right now Não recuperar esse arquivo agora - + Dismiss all from this box Dispensar tudo dessa caixa - + Disable quick recovery until the box restarts Desativar recuperação rápida até que a caixa reinicie - + Select Directory Selecione Diretório @@ -2899,37 +2964,42 @@ Caminho completo: %4 - + Select Directory Selecionar Diretório - + + No Files selected! + + + + Do you really want to delete %1 selected files? Você realmente deseja excluir %1 arquivos selecionados? - + Close until all programs stop in this box Fechar até que todos os programas parem nessa caixa - + Close and Disable Immediate Recovery for this box Fechar e Desativar a Recuperação Imediata para essa caixa - + There are %1 new files available to recover. Existem %1 novos arquivos disponíveis para recuperar. - + Recovering File(s)... Recuperando Arquivo(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Existem %1 arquivos e %2 pastas na caixa de areia, ocupando %3 de espaço em disco. @@ -3088,17 +3158,17 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote CSandBox - + Waiting for folder: %1 Aguardando pela pasta: %1 - + Deleting folder: %1 Excluíndo pasta: %1 - + Merging folders: %1 &gt;&gt; %2 Mesclando pastas: %1 &gt;&gt; %2 @@ -3107,7 +3177,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Mesclando pastas: %1 >> %2 - + Finishing Snapshot Merge... Mesclagem de Instantâneo Finalizada... @@ -3115,7 +3185,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote CSandBoxPlus - + Disabled Desativado @@ -3128,32 +3198,32 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote NÃO SEGURO (configurar depuração) - + OPEN Root Access ABRIR Acesso Raiz - + Application Compartment Compartimento de Aplicativos - + NOT SECURE NÃO SEGURO - + Reduced Isolation Isolamento Reduzido - + Enhanced Isolation Isolamento Aprimorado - + Privacy Enhanced Privacidade Aprimorada @@ -3162,33 +3232,33 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Log de API - + No INet (with Exceptions) Sem INet (com Exceções) - + No INet Sem Internet - + Net Share Kept original for lack of good German wording Compartilhar Rede - + No Admin Sem Administrador - + Auto Delete Excluir automaticamente - + Normal Normal @@ -3250,70 +3320,70 @@ Please check if there is an update for sandboxie. Deseja que o assistente de configuração seja omitido? - + The selected feature requires an <b>advanced</b> supporter certificate. O recurso selecionado requer um certificado de apoiador <b>avançado</b>. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! A assinatura do certificado é inválida! - + The Certificate is not suitable for this product. O Certificado não é adequado para esse produto. - + The Certificate is node locked. O certificado está bloqueado por nó. - + The support certificate is not valid. Error: %1 O certificado de suporte não é válido. Erro: %1 - - + + Don't ask in future Não perguntar no futuro - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? Deseja terminar todos os processos nas caixas criptografadas e desmontá-las? - + Reset Columns Redefinir Colunas - + Copy Cell Copiar Célula - + Copy Row Copiar Linha - + Copy Panel Copiar Painel @@ -3608,7 +3678,7 @@ Erro: %1 - + About Sandboxie-Plus Sobre o Sandboxie-Plus @@ -3876,27 +3946,27 @@ Erro: %1 Os usuários cancelaram essa operação. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />você precisa estar no nível Great Patreon ou superior para desbloquear esse recurso. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>Sobre o Sandboxie-Plus</h3><p>Versão %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 Essa cópia do Sandboxie-Plus é certificada para: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie-Plus é gratuito para uso pessoal e não comercial. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus é uma continuação de código aberto do Sandboxie.<br />Visite <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> Para mais informações.<br /><br />%2<br /><br />Recursos: %3<br /><br />Instalação: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Ícones de <a href="https://icons8.com">icons8.com</a> @@ -3942,23 +4012,23 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Versão do Sbie+: %1 (%2) - + The supporter certificate is not valid for this build, please get an updated certificate O certificado de suporte não é válido para essa compilação, obtenha um certificado atualizado - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate O certificado de suporte expirou %1, por favor obtenha um certificado atualizado - + , but it remains valid for the current build , mas permanece válido para a compilação atual - + The supporter certificate will expire in %1 days, please get an updated certificate O certificado de suporte irá expirar em %1 dias, obtenha um certificado atualizado @@ -3971,12 +4041,12 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a O programa %1 iniciado na caixa %2 será terminado em 5 minutos, porque a caixa foi configurada para usar recursos exclusivamente disponíveis para projetos suportados.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Torne-se um defensor do projeto</a>, e receba um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a> - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> O conjunto de recursos selecionados só estaram disponíveis para apoiadores do projeto. Os processos iniciados em uma caixa com esse conjunto de recursos sem um certificado de suporte serão encerrados após 5 minutos.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Tornar-se um apoiador do projeto</a>, e receba um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a> - + The evaluation period has expired!!! The evaluation periode has expired!!! O período de avaliação expirou!!! @@ -3999,47 +4069,47 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Importando: %1 - + Please enter the duration, in seconds, for disabling Forced Programs rules. Digite a duração, em segundos, para desativar as regras de Programas Forçados. - + No Recovery Sem recuperação - + No Messages Sem mensagens - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>ERRO:</b> O Sandboxie-Plus Manager (SandMan.exe) não possui uma assinatura válida (SandMan.exe.sig). Faça o download de uma versão confiável da <a href="https://sandboxie-plus.com/go.php?to=sbie-get">página de download oficial</a>. - + Maintenance operation failed (%1) Falha na operação de manutenção (%1) - + Maintenance operation completed Operação de manutenção concluída - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Na Interface Plus, essa funcionalidade foi integrada à exibição principal da lista de caixa. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Usando o menu de contexto de caixa/grupo, você pode mover caixas e grupos para outros grupos. Você também pode usar arrastar e soltar para mover os itens. Como alternativa, você também pode usar as teclas de seta enquanto mantém ALT pressionada para mover itens para cima e para baixo dentro de seu grupo.<br />Poderá criar novas caixas e grupos no menu do Sandbox. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4048,129 +4118,129 @@ This file is part of Sandboxie and all changed done to it will be reverted next Esse arquivo faz parte do Sandboxie e todas as alterações feitas nele serão revertidas na próxima vez que o Sandboxie for atualizado. - + Sandboxie config has been reloaded A configuração do Sandboxie foi recarregada - + Error Status: 0x%1 (%2) Status do Erro: 0x%1 (%2) - + Unknown Desconhecido - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. Todos os processos em uma caixa devem ser interrompidos antes que ele possa ser renomeado. - + Failed to move box image '%1' to '%2' Falha ao mover a imagem da caixa '%1' para '%2' - + Failed to copy box data files Falha ao copiar os arquivos de dados da caixa - + Failed to remove old box data files Falha ao remover arquivos de dados de caixas antigas - + The operation was canceled by the user A operação foi cancelada pelo usuário - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted O conteúdo de uma caixa desmontada não pode ser excluído - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded Importação/Exportação não disponível, 7z.dll não pôde ser carregada - + Failed to create the box archive Falha ao criar o arquivo da caixa - + Failed to open the 7z archive Falha ao abrir o arquivo 7z - + Failed to unpack the box archive Falha ao descompactar o arquivo da caixa - + The selected 7z file is NOT a box archive O arquivo 7z selecionado NÃO é um arquivo de caixa - + Unknown Error Status: 0x%1 Status de Erro Desconhecido: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? Deseja abrir %1 no navegador da Web dentro ou fora da caixa? - + Sandboxed Caixa de Areia - + Unsandboxed Fora da Caixa de Areia - + Case Sensitive Maiúsculas e Minúsculas - + RegExp - + Highlight Realçar - + Close Fechar - + &Find ... &Localizar ... - + All columns Todas as colunas @@ -4209,9 +4279,9 @@ Você quer fazer a limpeza? - - - + + + Don't show this message again. Não mostrar essa mensagem novamente. @@ -4236,19 +4306,19 @@ Você quer fazer a limpeza? Excluindo automaticamente o conteúdo %1 - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Erro - + Failed to stop all Sandboxie components Falha ao parar todos os componentes do Sandboxie - + Failed to start required Sandboxie components Falha ao iniciar os componentes exigidos do Sandboxie @@ -4401,48 +4471,48 @@ Não vou escolher: %2 - NÃO conectado - + Failed to configure hotkey %1, error: %2 Falha ao configurar a tecla de atalho %1, erro: %2 - - + + (%1) - + The box %1 is configured to use features exclusively available to project supporters. A caixa %1 está configurada para usar recursos disponíveis exclusivamente para apoiadores do projeto. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. A caixa %1 está configurada para usar recursos que exigem um certificado de suporte <b>avançado</b>. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Atualize seu Certificado</a> para desbloquear recursos avançados. - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. O programa %1 iniciado na caixa %2 será encerrado em 5 minutos porque a caixa foi configurada para usar recursos disponíveis exclusivamente para apoiadores do projeto. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. A caixa %1 está configurada para usar recursos disponíveis exclusivamente para apoiadores do projeto, essas predefinições serão ignoradas. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Torne-se um apoiador do projeto</a>, e receba um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de apoiador</a> @@ -4510,22 +4580,22 @@ Não vou escolher: %2 - + Only Administrators can change the config. Apenas administradores podem alterar a configuração. - + Please enter the configuration password. Por favor, insira a senha de configuração. - + Login Failed: %1 Falha no Login: %1 - + Do you want to terminate all processes in all sandboxes? Você deseja encerrar todos os processos em todas as caixas? @@ -4538,32 +4608,32 @@ Não vou escolher: %2 Insira a duração para desabilitar programas forçados. - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus foi iniciado no modo portable é preciso criar os serviços necessários. Isso solicitará privilégios administrativos. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. CUIDADO: Outro agente (provavelmente SbieCtrl.exe) já está gerenciando essa sessão de sandboxie, por favor, feche-o primeiro e reconecte para assumir o controle. - + Executing maintenance operation, please wait... Executando operação de manutenção, por favor aguarde... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Você também deseja redefinir as caixas de mensagens ocultas (sim) ou apenas todas as mensagens de log (não)? - + The changes will be applied automatically whenever the file gets saved. As alterações serão aplicadas automaticamente sempre que o arquivo for salvo. - + The changes will be applied automatically as soon as the editor is closed. As alterações serão aplicadas automaticamente assim que o editor for fechado. @@ -4572,82 +4642,82 @@ Não vou escolher: %2 Status de Erro: %1 - + Administrator rights are required for this operation. Direitos de administrador são necessários para essa operação. - + Failed to execute: %1 Falha ao executar: %1 - + Failed to connect to the driver Falha ao se conectar com o driver - + Failed to communicate with Sandboxie Service: %1 Falha ao se comunicar com o serviço Sandboxie: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Um Sandboxie %1 incompatível foi encontrado. Versões compatíveis: %2 - + Can't find Sandboxie installation path. Não é possível encontrar o caminho de instalação do Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Falha ao copiar a configuração do sandbox %1: %2 - + A sandbox of the name %1 already exists Uma caixa de areia com o nome %1 já existe - + Failed to delete sandbox %1: %2 Falha ao excluir sandbox %1: %2 - + The sandbox name can not be longer than 32 characters. O nome da caixa de área não pode ter mais de 32 caracteres. - + The sandbox name can not be a device name. O nome da caixa de areia não pode ser um nome de dispositivo. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. O nome da caixa de areia pode conter apenas letras, números e sublinhados que são exibidos como espaços. - + Failed to terminate all processes Falha ao terminar todos os processos - + Delete protection is enabled for the sandbox A proteção de exclusão está ativada para a caixa de areia - + All sandbox processes must be stopped before the box content can be deleted Todos os processos do sandbox devem ser interrompidos antes que o conteúdo da caixa possa ser excluído - + Error deleting sandbox folder: %1 Erro ao excluir a pasta da caixa de areia: %1 @@ -4656,42 +4726,42 @@ Não vou escolher: %2 Uma caixa de areia deve ser esvaziada antes de ser renomeada. - + A sandbox must be emptied before it can be deleted. Uma caixa de areia deve ser esvaziada antes de ser excluída. - + Failed to move directory '%1' to '%2' Falha ao mover diretório '%1' para '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Essa operação de instantâneo não pode ser executada enquanto os processos ainda estiverem em execução na caixa. - + Failed to create directory for new snapshot Falha ao criar diretório para novo instantâneo - + Snapshot not found Instantâneo não encontrado - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Erro ao mesclar os diretórios de instantâneo '%1' com '%2', o instantâneo não foi totalmente mesclado. - + Failed to remove old snapshot directory '%1' Falha ao remover diretório de instantâneo antigo '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Não é possível remover instantâneos compartilhado por vários instantâneos posteriores @@ -4700,27 +4770,27 @@ Não vou escolher: %2 Falha ao remover RegHive antigo - + You are not authorized to update configuration in section '%1' Você não está autorizado a atualizar a configuração na seção '%1' - + Failed to set configuration setting %1 in section %2: %3 Falha ao definir a definição de configuração %1 na seção %2: %3 - + Can not create snapshot of an empty sandbox Não é possível criar instantâneo de uma caixa de areia vazia - + A sandbox with that name already exists Uma caixa de areia com esse nome já existe - + The config password must not be longer than 64 characters A senha de configuração não deve ter mais de 64 caracteres @@ -4729,7 +4799,7 @@ Não vou escolher: %2 Status de erro desconhecido: %1 - + Operation failed for %1 item(s). A operação falhou para %1 item(ns). @@ -4738,7 +4808,7 @@ Não vou escolher: %2 Deseja abrir %1 em um Navegador web na caixa de areia (sim) ou fora da caixa de areia (não)? - + Remember choice for later. Lembrar escolha mais tarde. @@ -5085,38 +5155,38 @@ Não vou escolher: %2 CSbieTemplatesEx - + Failed to initialize COM Falha ao inicializar COM - + Failed to create update session Falha ao criar sessão de atualização - + Failed to create update searcher Falha ao criar pesquisador de atualização - + Failed to set search options Falha ao definir opções de pesquisa - + Failed to enumerate installed Windows updates Failed to search for updates Falha ao enumerar as atualizações instaladas do Windows - + Failed to retrieve update list from search result Falha ao recuperar a lista de atualizações do resultado da pesquisa - + Failed to get update count Falha ao obter contagem de atualizações @@ -5124,8 +5194,8 @@ Não vou escolher: %2 CSbieView - - + + Create New Box Criar Nova Caixa @@ -5134,35 +5204,35 @@ Não vou escolher: %2 Adicionar Grupo - + Remove Group Remover Grupo - - + + Stop Operations Parar operações - - + + Run Executar - + Run Program Executar Programa - + Run from Start Menu Executar do Menu Iniciar - - + + (Host) Start Menu (Host) Menu Iniciar @@ -5171,17 +5241,17 @@ Não vou escolher: %2 Mais Ferramentas - + Default Web Browser Navegador Web Padrão - + Default eMail Client Cliente de E-Mail Padrão - + Command Prompt Prompt de Comando @@ -5190,32 +5260,32 @@ Não vou escolher: %2 Ferramentas de Caixa - + Command Prompt (as Admin) Prompt de Comando (como Admin) - + Command Prompt (32-bit) Prompt de Comando (32-bit) - + Windows Explorer - + Registry Editor Editor de Registro - + Programs and Features Programas e Recursos - + Execute Autorun Entries Executar Entradas Autorun @@ -5224,162 +5294,162 @@ Não vou escolher: %2 Terminal (como Admin) - + Terminate All Programs Terminar Todos os Programas - - - - - + + + + + Create Shortcut Create Desktop Shortcut Criar Atalho - - + + Explore Content Explorar Conteúdo - + Disable Force Rules Desativar Regras Forçadas - + Export Box Exportar Caixa - - + + Move Sandbox Mover Caixa - + Browse Content Navegador de Conteúdo - - + + Create Box Group Criar Grupo de Caixa - + Rename Group Renomear Grupo - + Box Content Conteúdo da Caixa - + Open Registry Editor de Registro - - + + Refresh Info Atualizar Informações - - + + Snapshots Manager Gerenciador de Instantâneos - + Recover Files Recuperar Arquivos - + Browse Files Procurar Arquivos - + Standard Applications Aplicativos Padrão - - + + Mount Box Image Montar Imagem da Caixa - - + + Unmount Box Image Desmontar Imagem da Caixa - - + + Delete Content Excluir Conteúdo - + Sandbox Presets Predefinições da Caixa - + Ask for UAC Elevation Solicitar Elevação UAC - + Drop Admin Rights Liberar Direitos de Administrador - + Emulate Admin Rights Emular Direitos de Administrador - + Block Internet Access Bloquear Acesso à Internet - + Allow Network Shares Permitir Compartilhamentos de Rede - + Sandbox Options Opções da Caixa - - + + Sandbox Tools Ferramentas da Caixa - + Duplicate Box Config Duplicar Configuração de Caixa - - + + Rename Sandbox Renomear Caixa @@ -5388,56 +5458,56 @@ Não vou escolher: %2 Mover para o Grupo - - + + Remove Sandbox Remover Caixa - - + + Terminate Terminar - + Preset Predefinição - - + + Pin to Run Menu Fixar no Menu Executar - - + + Import Box Importar Caixa - + Block and Terminate Bloquear e Terminar - + Allow internet access Permitir Acesso à Internet - + Force into this sandbox Forçar Nessa Caixa de Areia - + Set Linger Process Definir Processo Permanênte - + Set Leader Process Definir Processo do Líder @@ -5446,102 +5516,102 @@ Não vou escolher: %2 Executar na Caixa - + Run Web Browser Executar Navegador Web - + Run eMail Reader Executar Leitor de Email - + Run Any Program Executar Qualquer Programa - + Run From Start Menu Executar do Menu Iniciar - + Run Windows Explorer Executar Windows Explorer - + Terminate Programs Terminar Programas - + Quick Recover Recuperação Rápida - + Sandbox Settings Configurações da Caixa - + Duplicate Sandbox Config Duplicar Configuração da Caixa - + Export Sandbox Exportar Caixa - + Move Group Mover Grupo - + File root: %1 Pasta de arquivo: %1 - + Registry root: %1 Pasta de registro: %1 - + IPC root: %1 Pasta do IPC: %1 - + Disk root: %1 Raiz do disco: %1 - + Options: Opções: - + [None] [Nenhum] - + Please enter a new name for the Group. Por favor, digite um novo nome para o grupo. @@ -5550,93 +5620,91 @@ Não vou escolher: %2 Esse nome do grupo já está em uso. - + Move entries by (negative values move up, positive values move down): Mover entradas por (valores negativos sobem, valores positivos descem): - + Please enter a new group name Por favor digite um novo nome de grupo - + The Sandbox name and Box Group name cannot use the ',()' symbol. O nome da Caixa e o nome do Grupo de Caixa não podem usar o símbolo ',()'. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. AVISO: O editor de registro aberto não está em caixa, tenha cuidado e faça alterações apenas nos locais de sandbox pré-selecionados. - + Don't show this warning in future Não mostrar esse aviso no futuro - + Please enter a new name for the duplicated Sandbox. Por favor, digite um novo nome para a Caixa de Areia duplicada. - + %1 Copy %1 Copia - - + + Select file name Selecione o nome do arquivo - - 7-zip Archive (*.7z) - Arquivo 7-zip (*.7z) + Arquivo 7-zip (*.7z) - + Exporting: %1 Exportando: %1 - - + + Also delete all Snapshots Excluir também todos os Instantâneos - + Do you really want to delete the content of all selected sandboxes? Deseja realmente excluir o conteúdo de todas as caixas selecionadas? - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. O menu Iniciar do Sandboxie agora será exibido. Selecione um aplicativo no menu e o Sandboxie criará um novo ícone de atalho em sua área de trabalho real, que você pode usar para invocar o aplicativo selecionado sob a supervisão do Sandboxie. - + Do you want to terminate %1? Do you want to %1 %2? Você quer terminar %1? - + the selected processes os processos selecionados - + Do you really want to remove the selected group(s)? Do you really want remove the selected group(s)? Tem certeza de que deseja remover o(s) grupo(s) selecionado(s)? - + Immediate Recovery Recuperação Imediata @@ -5649,115 +5717,110 @@ Não vou escolher: %2 Mover Caixa/Grupo - - + + Move Up Mover para Cima - - + + Move Down Mover para Baixo - + Suspend Suspender - + Resume Resumir - + A group can not be its own parent. Um grupo não pode ser seu próprio pai. - + Failed to open archive, wrong password? Falha ao abrir o arquivo, senha errada? - + Failed to open archive (%1)! Falha ao abrir o arquivo (%1)! - This name is already in use, please select an alternative box name - Esse nome já está em uso, selecione um nome de caixa alternativo + Esse nome já está em uso, selecione um nome de caixa alternativo - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 Importando: %1 - + This name is already used for a Box Group. Esse nome já é usado para um Grupo de Caixa. - + This name is already used for a Sandbox. Esse nome já é usado para uma Caixa de Areia. - - - + + + Don't show this message again. Não mostrar essa mensagem novamente. - - - + + + This Sandbox is empty. Essa caixa está vazia. - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + + Please enter a new name for the Sandbox. Digite um novo nome para caixa de areia. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? Você realmente deseja remover a(s) caixa(s) de areia?<br /><br />Aviso: O conteúdo da caixa também será excluído! - + This Sandbox is already empty. Essa caixa de areia já está vazia. - - + + Do you want to delete the content of the selected sandbox? Deseja excluir o conteúdo da caixa de areia selecionada? @@ -5766,19 +5829,19 @@ Não vou escolher: %2 Tem certeza que deseja excluir o conteúdo de várias caixas de areia? - + Do you want to terminate all processes in the selected sandbox(es)? Deseja terminar todos os processos na(s) caixa(s) selecionada(s)? - - + + Terminate without asking Terminar sem perguntar - - + + Create Shortcut to sandbox %1 Criar Atalho para a Caixa %1 @@ -5788,12 +5851,12 @@ Não vou escolher: %2 Deseja %1 o(s) processo(s) selecionado(s)? - + This box does not have Internet restrictions in place, do you want to enable them? Essa caixa não possui restrições à Internet. Deseja ativá-las? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Essa caixa está desativada, deseja ativá-la? @@ -5838,7 +5901,7 @@ Não vou escolher: %2 CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - Configurações Globais @@ -5852,357 +5915,357 @@ Não vou escolher: %2 Proteção de Configuração - + Auto Detection Detecção Automática - + No Translation Sem Tradução - - + + Don't integrate links Não integrar links - - + + As sub group Como subgrupo - - + + Fully integrate Integração total - + Don't show any icon Don't integrate links Não mostrar nenhum ícone - + Show Plus icon Mostrar ícone Plus - + Show Classic icon Mostrar ícone Clássico - + All Boxes Todas as caixas - + Active + Pinned Ativa + Fixada - + Pinned Only Fixada Apenas - + Close to Tray Fechar para Bandeja - + Prompt before Close Avisar antes de fechar - + Close Fechar - + None Nenhuma - + Native Nativa - + Qt - + %1 %1 % - + HwId: %1 - + Search for settings Pesquisar por configurações - - - + + + Run &Sandboxed Executar na &Caixa de Areia - + Volume not attached Volume não anexado - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + Expires in: %1 days Expires: %1 Days ago - + Expired: %1 days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Desativado - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. Isso não se parece com um número de série do Sandboxie-Plus.<br />Se você tentou inserir o UpdateKey ou a Assinatura de um certificado, mas isso não está correto, insira o certificado inteiro na área de texto acima. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... Recuperando certificado... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 Erro ao recuperar certificado: %1 - + Unknown Error (probably a network issue) Erro Desconhecido (provavelmente um problema de rede) - + Home Principal - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Sandboxed Web Browser Navegador Web na Caixa de Areia - - + + Notify Notificar - + Ignore Ignorar - + Every Day Diariamente - + Every Week Toda Semana - + Every 2 Weeks A cada 2 Semanas - + Every 30 days A cada 30 dias - - + + Download & Notify Baixar & Notificar - - + + Download & Install Baixar & Instalar - + Browse for Program Procurar pelo Programa - + Add %1 Template Adicionar Modelo %1 - + Select font Selecionar fonte - + Reset font Redefinir fonte - + %0, %1 pt - + Please enter message Por favor, digite a mensagem - + Select Program Selecionar Programa - + Executables (*.exe *.cmd) Executáveis (*.exe *.cmd) - - + + Please enter a menu title Por favor insira o título do menu - + Please enter a command Por favor, digite um comando - + kilobytes (%1) - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Esse certificado de apoiador expirou, por favor <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obter um certificado atualizado</a>. @@ -6211,92 +6274,92 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Esse certificado de apoiador expirou, por favor <a href="sbie://update/cert">obtenha um certificado atualizado</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Os recursos do Plus serão desativados em %1 dias.</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>Para a versão atual, os recursos Plus permanecem ativados</font>, mas você não tem mais acesso aos serviços Sandboxie-Live, incluindo atualizações de compatibilidade e banco de dados de solução de problemas. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Esse certificado de apoiador será <font color='red'>expirado em %1 dias</font>, por favor <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obter um certificado atualizado</a>. - + Contributor Contribuinte - + Eternal Eterno - + Business - + Personal Pessoal - + Great Patreon - + Patreon - + Family Família - + Evaluation Avaliação - + Type %1 Tipo %1 - + Advanced Avançado - + Advanced (L) Avançado (L) - + Max Level Nível Máximo - + Level %1 Nível %1 - + Supporter certificate required for access Certificado de apoiador necessário para acessar - + Supporter certificate required for automation Certificado de apoiador necessário para automação @@ -6305,17 +6368,17 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Tornar Pasta/Arquivo &Forçado - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Infelizmente, este certificado não é válido para a versão atual. Você precisa obter um novo certificado ou fazer downgrade para uma versão anterior. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Embora este certificado tenha expirado, para a versão atualmente instalada, os recursos plus permanecem ativados. No entanto, você não terá mais acesso aos serviços Sandboxie-Live, incluindo atualizações de compatibilidade e banco de dados de solução de problemas online. - + This certificate has unfortunately expired, you need to get a new certificate. Infelizmente, este certificado expirou. Você precisa obter um novo certificado. @@ -6324,7 +6387,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.<br /><font color='red'>Para essa compilação, os recursos Plus permanecem ativados.</font> - + <br />Plus features are no longer enabled. <br />Os recursos Plus não estão mais ativados. @@ -6338,22 +6401,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Certificado de apoiador necessário - + Run &Un-Sandboxed Executar &Fora da Caixa de Areia - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Isso não parece um certificado. Digite o certificado inteiro, não apenas uma parte dele. @@ -6366,7 +6429,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Infelizmente, esse certificado está desatualizado. - + Thank you for supporting the development of Sandboxie-Plus. Obrigado por apoiar o desenvolvimento do Sandboxie-Plus. @@ -6375,89 +6438,89 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Esse certificado de suporte não é válido. - + Update Available Atualização Disponível - + Installed Instalado - + by %1 por %1 - + (info website) - + This Add-on is mandatory and can not be removed. Esse complemento é obrigatório e não pode ser removido. - - + + Select Directory Selecionar Diretório - + <a href="check">Check Now</a> <a href="check">Verificar Agora</a> - + Please enter the new configuration password. Por favor, insira a nova senha de configuração. - + Please re-enter the new configuration password. Please re enter the new configuration password. Digite novamente a nova senha de configuração. - + Passwords did not match, please retry. As senhas não coincidem, tente novamente. - + Process Processo - + Folder Pasta - + Please enter a program file name Digite o nome do programa - + Please enter the template identifier Por favor, insira o identificador de modelo - + Error: %1 Erro: %1 - + Do you really want to delete the selected local template(s)? Você realmente deseja excluir o(s) modelo(s) local(is) selecionado(s)? - + %1 (Current) %1 (Atual) @@ -6700,35 +6763,35 @@ Tente enviar sem o log anexado. CSummaryPage - + Create the new Sandbox Criar nova Caixa de Areia - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Quase concluído, clique em Concluir para criar a nova caixa de areia e concluir o assistente. - + Save options as new defaults Salvar opções como novos padrões - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) Não exibir página de resumo no futuro (se opções avançadas não estiver marcada) - + This Sandbox will be saved to: %1 Essa caixa será salva em: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6737,21 +6800,21 @@ This box's content will be DISCARDED when its closed, and the box will be r O conteúdo desta caixa será DESCARTADO quando ela for fechada, e a caixa será removida. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Essa caixa irá DESCARTAR seu conteúdo quando for fechada, é adequada apenas para dados temporários. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Os processos nessa caixa não poderão acessar a internet ou a rede local, isso garante que todos os dados acessados ​​permaneçam confidenciais. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6760,14 +6823,14 @@ This box will run the MSIServer (*.msi installer service) with a system token, t Essa caixa executará o MSIServer (*.msi installer service) com um token do sistema, isso melhora a compatibilidade, mas reduz o isolamento de segurança. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Os processos nessa caixa pensarão que são executados com privilégios administrativos, sem realmente tê-los, portanto, os instaladores podem ser usados ​​mesmo em uma caixa de segurança reforçada. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6776,7 +6839,7 @@ Processes in this box will be running with a custom process token indicating the Os processos nessa caixa serão executados com um token de processo personalizado indicando a caixa de areia à qual pertencem. - + Failed to create new box: %1 Falha ao criar nova caixa: %1 @@ -7432,34 +7495,74 @@ If you are a great patreaon supporter already, sandboxie can check online for an Compactar Arquivos - + Compression Compressão - + When selected you will be prompted for a password after clicking OK Quando selecionado, será solicitada uma senha após clicar em OK - + Encrypt archive content Criptografar o conteúdo do arquivo - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. O arquivamento sólido melhora as taxas de compactação ao tratar vários arquivos como um único bloco de dados contínuo. Ideal para um grande número de arquivos pequenos, torna o arquivo mais compacto, mas pode aumentar o tempo necessário para extração individual dos arquivos. - + Create Solide Archive Criar Arquivo Sólido - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Exporte a Caixa para um arquivo 7z, escolha sua taxa de compactação e personalize as configurações adicionais de compactação. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Exporte a Caixa para um arquivo 7z, escolha sua taxa de compactação e personalize as configurações adicionais de compactação. + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + + + + + Import without encryption + @@ -7527,47 +7630,48 @@ If you are a great patreaon supporter already, sandboxie can check online for an Indicador de caixa no título: - + Sandboxed window border: Borda de janela da caixa: - + Double click action: Ação de duplo clique: - + Separate user folders Pastas de usuário separadas - + Box Structure Estrutura da Caixa - + Security Options Opções de Segurança - + Security Hardening Reforço de Segurança - - - - - - + + + + + + + Protect the system from sandboxed processes Proteger o sistema de processos do sandbox - + Elevation restrictions Restrições de Elevação @@ -7576,78 +7680,78 @@ If you are a great patreaon supporter already, sandboxie can check online for an Nota de segurança: Aplicativos em execução elevado sob a supervisão do Sandboxie, com um token de administrador, têm mais oportunidades para ignorar o isolamento e modificar o sistema fora da caixa de areia. - + Drop rights from Administrators and Power Users groups Retirar direitos de grupos de Administradores e Usuários Avançados - + px Width Largura (px) - + Make applications think they are running elevated (allows to run installers safely) Fazer aplicativos acharem que estão sendo executados elevados (permite executar instaladores com segurança) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. CUIDADO: Ao executar sob o administrador incorporado, os processos não podem liberar privilégios administrativos. - + Appearance Aparência - + (Recommended) (Recomendado) - + Show this box in the 'run in box' selection prompt Mostrar essa caixa no diálogo de seleção 'Executar na Caixa de Areia' - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Nota de segurança: Aplicativos em execução elevada sob a supervisão do Sandboxie, com um token de administrador ou sistema, têm mais oportunidades para ignorar o isolamento e modificar o sistema fora do sandbox. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Permitir que o MSIServer seja executado com um token do sistema na caixa de areia e aplique outras exceções, se necessário - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Nota: As isenções do Instalador MSI não devem ser necessárias, mas se você encontrar problemas para instalar um pacote MSI que você confia, essa opção pode ajudar a completar a instalação com êxito. Você também pode tentar desativar os direitos de administrador. - + File Options Opções de Arquivo - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Excluir automaticamente o conteúdo quando o último processo da caixa for encerrado - + Copy file size limit: Limitar tamanho ao copiar arquivo: - + Box Delete options Opções de Exclusão de Caixa - + Protect this sandbox from deletion or emptying Proteger essa caixa de areia contra exclusão ou esvaziamento @@ -7656,53 +7760,53 @@ If you are a great patreaon supporter already, sandboxie can check online for an Acesso ao Disco Bruto - - + + File Migration Migração de Arquivo - + Allow elevated sandboxed applications to read the harddrive Permitir que aplicativos nas caixas de areia elevadas leiam o disco rígido - + Warn when an application opens a harddrive handle Avisar quando uma aplicativo abrir uma alça do disco rígido - + kilobytes Kilobytes - + Issue message 2102 when a file is too large Emitir mensagem 2102 quando o arquivo for muito grande - + Prompt user for large file migration Perguntar ao usuário para migrar arquivos grandes - + Security enhancements Aprimoramentos de Segurança - + Use the original token only for approved NT system calls Usar o token original somente para chamadas de sistema NT aprovadas - + Restrict driver/device access to only approved ones Restringir o acesso a driver ou dispositivo apenas aos aprovados - + Enable all security enhancements (make security hardened box) Ativar todos os aprimoramentos de segurança (tornar a caixa de segurança reforçada) @@ -7715,48 +7819,48 @@ If you are a great patreaon supporter already, sandboxie can check online for an Abrir Credencias de Armazenamento do Windows - + Allow the print spooler to print to files outside the sandbox Permitir que o spooler de impressão imprima arquivos fora da caixa - + Remove spooler restriction, printers can be installed outside the sandbox Remover a restrição do spooler, as impressoras podem ser instaladas fora da caixa - + Block read access to the clipboard Allow access to Smart Cards Bloquear o acesso de leitura à área de transferência - + Open System Protected Storage Abrir Armazenamento Protegido pelo Sistema - + Block access to the printer spooler Bloquear acesso ao spooler de impressão - + Other restrictions Outras Restrições - + Printing restrictions Restrições de Impressão - + Network restrictions Restrições de Rede - + Block network files and folders, unless specifically opened. Bloquear arquivos e pastas de rede, a menos que especificamente abertos. @@ -7765,67 +7869,67 @@ If you are a great patreaon supporter already, sandboxie can check online for an Impedir alterações nos parâmetros de rede e firewall - + Run Menu Menu Executar - + You can configure custom entries for the sandbox run menu. Você pode configurar entradas personalizadas para o Menu Executar na caixa de areia. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Nome - + Command Line Linha de Comando - + Add program Adicionar programa - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Remover @@ -7838,13 +7942,13 @@ If you are a great patreaon supporter already, sandboxie can check online for an Aqui você pode especificar programas ou serviços que devem ser iniciados automaticamente na caixa de areia quando ela for ativada - - - - - - - + + + + + + + Type Tipo @@ -7857,21 +7961,21 @@ If you are a great patreaon supporter already, sandboxie can check online for an Adicionar serviço - + Program Groups Grupos de Programas - + Add Group Adicionar Grupo - - - - - + + + + + Add Program Adicionar Programa @@ -7884,62 +7988,62 @@ If you are a great patreaon supporter already, sandboxie can check online for an Programas Forçados - + Force Folder Pasta Forçada - - - + + + Path Caminho - + Force Program Programa Forçado - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Mostrar Modelos - + General Configuration Configuração Geral - + Box Type Preset: Tipo de Caixa Predefinida: - + Box info Informação da caixa - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Mais Tipos de Caixa</b> estão exclusivamente disponíveis para <u>apoiadores do projeto</u>, as caixas com Aprimoramentos de Privacidade <b><font color='red'>protege os dados do usuário de acesso ilícito</font></b> pelos programas na caixa de areia.<br />Se você ainda não é um apoiador, por favor considere <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">apoiar o projeto</a>, para receber um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a>.<br />Você pode testar os outros tipos de caixas, no entanto, os processos serão terminados automaticamente após 5 minutos. @@ -7953,32 +8057,32 @@ If you are a great patreaon supporter already, sandboxie can check online for an Direitos de Administrador - + Open Windows Credentials Store (user mode) Abrir Credencias de Armazenamento do Windows (modo de usuário) - + Prevent change to network and firewall parameters (user mode) Impedir a alteração de parâmetros de rede e firewall (modo de usuário) - + Allow to read memory of unsandboxed processes (not recommended) Permitir a leitura de memória por processos fora caixa de areia (não recomendado) - + Issue message 2111 when a process access is denied Emitir mensagem 2111 quando um acesso de processo for negado - + Security Isolation Isolamento de Segurança - + Advanced Security Adcanced Security Segurança Avançada @@ -7988,54 +8092,54 @@ If you are a great patreaon supporter already, sandboxie can check online for an Usar login do Sandboxie em vez de um token anônimo (experimental) - + Other isolation Outro Isolamento - + Privilege isolation Isolamento Privilegiado - + Sandboxie token Token do Sandboxie - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. O uso de um token do sandboxie personalizado permite isolar melhor as caixas individuais umas das outras e mostra na coluna do usuário dos gerenciadores de tarefas o nome da caixa à qual um processo pertence. Algumas soluções de segurança de terceiros podem, no entanto, ter problemas com tokens personalizados. - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Você pode agrupar programas e dar um nome ao grupo. Grupos de programas podem ser usados ​​com algumas das configurações em vez de nomes de programas. Grupos definidos para a caixa sobrescreve grupos definidos em modelos. - + Force Programs Programas Forçados - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Programas inseridos, ou iniciados a partir de locais inseridos aqui, serão colocados nessa caixa automaticamente, a menos que seja explicitamente iniciado em outra caixa de areia. - + Breakout Programs Programas Fora - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. Os programas inseridos aqui poderão sair desta caixa de proteção quando forem iniciados. Também é possível capturá-los em outra caixa, por exemplo, para ter seu navegador sempre aberto em uma caixa dedicada. - - + + Stop Behaviour Comportamento ao Parar @@ -8060,32 +8164,32 @@ If leader processes are defined, all others are treated as lingering processes.< Se os processos líderes forem definidos, todos os outros serão tratados como processos persistentes. - + Start Restrictions Restrições ao Iniciar - + Issue message 1308 when a program fails to start Emitir mensagem 1308 quando um programa não iniciar - + Allow only selected programs to start in this sandbox. * Permitir que apenas programas selecionados sejam iniciados nessa caixa de areia. * - + Prevent selected programs from starting in this sandbox. Impedir que programas selecionados sejam iniciados nessa caixa de areia. - + Allow all programs to start in this sandbox. Permitir que todos os programas comecem nessa caixa de areia. - + * Note: Programs installed to this sandbox won't be able to start at all. * Nota: Programas instalados nessa caixa de areia não serão capazes de iniciar em todas. @@ -8094,12 +8198,12 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Restrições à Internet - + Process Restrictions Restrições de Processo - + Issue message 1307 when a program is denied internet access Emitir mensagem 1307 quando um programa for negado de acessar à internet @@ -8108,27 +8212,27 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Bloquear acesso à internet para todos os programas, exceto aqueles adicionados à lista. - + Prompt user whether to allow an exemption from the blockade. Solicitar ao usuário se permite uma isenção do bloqueio. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Nota: Os programas instalados nessa caixa de areia não poderão acessar a internet. - - - - - - + + + + + + Access Acesso - + Set network/internet access for unlisted processes: Definir acesso a rede ou internet para processos não listados: @@ -8137,75 +8241,76 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Restrições de Rede - + Test Rules, Program: Testar Regras, Programa: - + Port: Porta: - + IP: - + Protocol: Protocolo: - + X - + Add Rule Adicionar Regra - - - - - - - - - - + + + + + + + + + + Program Programa - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Use números de série de volume para unidades, como: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty A estrutura da caixa só pode ser alterada quando a caixa estiver vazia + Allow sandboxed processes to open files protected by EFS - Permitir que processos na caixa de areia abram arquivos protegidos por EFS + Permitir que processos na caixa de areia abram arquivos protegidos por EFS - + Disk/File access Acesso ao Disco/Arquivo - + Virtualization scheme Esquema de virtualização - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -8214,37 +8319,37 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p 2115: O arquivo não foi migrado, o arquivo será aberto como somente leitura - + Issue message 2113/2114/2115 when a file is not fully migrated Emitir mensagem 2113/2114/2115 quando um arquivo não for totalmente migrado - + Add Pattern Adicionar Padrão - + Remove Pattern Remover padrão - + Pattern Padrão - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. O Sandboxie não permite a gravação em arquivos host, a menos que permitido pelo usuário. Quando um aplicativo na caixa tentar modificar um arquivo, o arquivo inteiro deve ser copiado para o sandbox, para arquivos grandes, isso pode levar um tempo significativo. O Sandboxie oferece opções para lidar com esses casos, que podem ser configuradas nessa página. - + Using wildcard patterns file specific behavior can be configured in the list below: Usando curingas padrões, o comportamento específico do arquivo pode ser configurado na lista abaixo: - + When a file cannot be migrated, open it in read-only mode instead Quando um arquivo não puder ser migrado, abra-o no modo somente leitura @@ -8253,43 +8358,43 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Ícone - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Vários recursos de isolamento podem interromper a compatibilidade com alguns aplicativos. Se você estiver usando essa caixa de areia <b>NÃO Segura</b> mas para a portabilidade do aplicativo, alterando essas opções, você pode restaurar a compatibilidade sacrificando alguma segurança. - + Access Isolation Isolamento de Acesso - + Image Protection Proteção de Imagem - + Issue message 1305 when a program tries to load a sandboxed dll Emitir mensagem 1305 quando um programa tenta carregar uma dll na caixa de areia - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox Impedir que programas das caixas instalados no host carreguem dll's do sandbox - + Dlls && Extensions Dlls && Extensões - + Description Descrição - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8298,107 +8403,107 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Isso é feito para evitar que processos invasores dentro do sandbox criem uma cópia renomeada de si mesmos e acessem recursos protegidos. Outro vetor de exploração é a injeção de uma biblioteca em um processo autorizado para obter acesso a tudo o que é permitido acessar.Usando a proteção de imagem do host, isso pode ser evitado bloqueando os aplicativos (instalados no host) executados dentro de uma caixa de carregar bibliotecas do próprio sandbox. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. A funcionalidade do Sandboxie pode ser aprimorada usando DLLs opcionais que podem ser carregadas em cada processo do sandbox na inicialização pelo arquivo SbieDll.dll, o gerenciador de complementos nas configurações globais oferece algumas extensões úteis, uma vez instaladas, elas podem ser aivadas aqui para a caixa atual. - + Disable forced Process and Folder for this sandbox Desativar processo e pasta forçados para essa caixa - + Breakout Program Programa Fora - + Breakout Folder Pasta Fora - + Encrypt sandbox content Criptografar o conteúdo da caixa - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. Quando a <a href="sbie://docs/boxencryption">Criptografia da caixa</a> está ativada, a pasta raiz da caixa, incluindo sua seção de registro, é armazenada em uma imagem de disco criptografada, usando <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Instalar ImDisk</a> driver para ativar o suporte a Disco Ram e Imagem de Disco. - + Store the sandbox content in a Ram Disk Armazenar o conteúdo da caixa em um Disco Ram - + Set Password Definir Senha - + Disable Security Isolation Desativar o isolamento de segurança - - + + Box Protection Proteção de Caixa - + Protect processes within this box from host processes Proteger os processos dentro dessa caixa dos processos do host - + Allow Process Permitir Processo - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Emitir a mensagem 1318/1317 quando um processo host tenta acessar um processo em uma caixa ou raiz da caixa - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. O Sandboxie-Plus é capaz de criar caixas de areia confidenciais que fornecem proteção robusta contra vigilância não autorizada ou adulteração por processos do host. Ao utilizar uma imagem de caixa de areia criptografada, esse recurso oferece o mais alto nível de confidencialidade operacional, garantindo a segurança e integridade dos processos na caixa de areia. - + Deny Process Negar processo - + Force protection on mount Força proteção ao montar - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar Permitir que janelas das caixas cubram a barra de tarefas - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. Impedir que os processos capturem imagens de janelas em uma caixa - + Job Object Objeto de Trabalho @@ -8407,122 +8512,133 @@ Isso é feito para evitar que processos invasores dentro do sandbox criem uma c Criar um novo token na caixa de areia em vez de definir o token padrão - + Use a Sandboxie login instead of an anonymous token Usar um login do Sandboxie em vez de um token anônimo - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. Marcado: Um grupo local também será adicionado ao token de caixa de areia recém-criado, permitindo que todas as caixas de areia sejam tratadas de uma vez. Isso seria útil para políticas de auditoria. Parcialmente marcado: Nenhum grupo será adicionado ao token de caixa de areia recém-criado. - + Create a new sandboxed token instead of stripping down the original token Criar um novo token de caixa de areia em vez de simplificar o token original - + Drop ConHost.exe Process Integrity Level - + Force Children Forçar Filhos - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + Lingering Programs Programas Líderes - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Os programas líderes serão encerrados automaticamente se ainda estiverem em execução após todos os outros processos terem sido encerrados. - + Leader Programs Programas Líderes - + If leader processes are defined, all others are treated as lingering processes. Se os processos líderes forem definidos, todos os outros serão tratados como processos remanescentes. - + Stop Options Opções de Parada - + Use Linger Leniency Usar Leniência Persistente - + Don't stop lingering processes with windows Não parar processos prolongados com o Windows - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. Essa configuração pode ser usada para impedir que programas sejam executados na caixa sem o conhecimento ou consentimento do usuário. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. Exibir um aviso pop-up antes de iniciar um processo no sandbox de uma fonte externa - + Files Arquivos - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configurar quais processos podem acessar Arquivos, Pastas e Pipes. 'Aberto' o acesso só se aplica a binários de programas localizados fora da área de areia, você pode usar 'Aberto para Todos' em vez disso, para torná-lo aplicável a todos os programas ou alterar esse comportamento na aba Políticas. - + Registry Registro - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Configurar quais processos podem acessar o Registro. 'Aberto' o acesso só se aplica a binários de programas localizados fora da área restrita, você pode usar 'Aberto para Todos' em vez disso, para torná-lo aplicável a todos os programas ou alterar esse comportamento na aba Políticas. - + IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Configurar quais processos podem acessar objetos NT IPC como portas ALPC e outros processos de memória e contexto. Para especificar um processo, use '$:program.exe' como caminho. - + Wnd - + Wnd Class Classe Wnd @@ -8532,73 +8648,73 @@ Para especificar um processo, use '$:program.exe' como caminho.Configurar quais processos podem acessar objetos da Área de Trabalho, como Windows e similares. - + COM - + Class Id ID da Classe - + Configure which processes can access COM objects. Configurar quais processos podem acessar objetos COM. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Não usar COM virtualizado, acesso aberto à infraestrutura COM dos hosts (não recomendado) - + Access Policies Políticas de Acesso - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Aplicar e Fechar...=!<programa>,... regras também para todos os binários localizados na caixa. - + Network Options Opções de Rede - - - - + + + + Action Ação - - + + Port Porta - - - + + + IP - + Protocol Protocolo - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. CUIDADO: A Plataforma de Filtragem do Windows não está ativada com o driver, portanto, essas regras serão aplicadas apenas no modo de usuário e não podem ser impostas!!! Isso significa que as aplicações maliciosas podem contorná-las. - + Resource Access Acesso a Recursos @@ -8615,39 +8731,39 @@ O arquivo 'Aberto' e o acesso de teclas aplica-se apenas aos binários Você pode usar 'Abrir para Todos' em vez de fazê-lo aplicar a todos os programas ou alterar esse comportamento na Política de abas. - + Add File/Folder Adicionar Arquivo/Pasta - + Add Wnd Class Adicionar Wnd Class - - + + Move Down Mover para Baixo - + Add IPC Path Adicionar Caminho IPC - + Add Reg Key Adicionar Chave de Registro - + Add COM Object Adicionar Objeto COM - - + + Move Up Mover para Cima @@ -8669,84 +8785,84 @@ Para acessar arquivos, você pode usar o 'Direto a Todos' em vez de fa Aplicar e Fechar...=!<programa>,... diretivas também para todos os binários localizados na caixa de areia. - + File Recovery Recuperação de Arquivos - + Add Folder Adicionar Pasta - + Ignore Extension Ignorar Extensão - + Ignore Folder Ignorar Pasta - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Ativar mensagem de recuperação imediata para poder recuperar arquivos assim que forem criados. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Você pode excluir pastas e tipos de arquivos (ou extensões de arquivos) da Recuperação Imediata. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Quando a função Recuperação Rápida for invocada, as seguintes pastas serão verificadas para obter conteúdo da caixa de areia. - + Advanced Options Opções Avançadas - + Miscellaneous Diversos - + Don't alter window class names created by sandboxed programs Não alterar nomes das classes de janelas criadas por programas na caixa de areia - + Do not start sandboxed services using a system token (recommended) Não iniciar serviços no sandbox usando um token de sistema (recomendado) - - - - - - - + + + + + + + Protect the sandbox integrity itself Proteger integridade da própria caixa de areia - + Drop critical privileges from processes running with a SYSTEM token Retirar privilégios críticos de processos em execução com um token de SISTEMA - - + + (Security Critical) (Segurança Crítica) - + Protect sandboxed SYSTEM processes from unprivileged processes Proteger os processos do SISTEMA da caixa de areia contra processos desprivilegiados @@ -8755,7 +8871,7 @@ Para acessar arquivos, você pode usar o 'Direto a Todos' em vez de fa Isolamento da caixa de areia - + Force usage of custom dummy Manifest files (legacy behaviour) Forçar uso de arquivos de manifesto fictícios personalizados (comportamento legado) @@ -8768,34 +8884,34 @@ Para acessar arquivos, você pode usar o 'Direto a Todos' em vez de fa Políticas de Acesso a Recursos - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. A especificidade da regra é uma medida de quão bem uma determinada regra corresponde a um caminho específico, basta colocar a especificidade é o comprimento dos caracteres desde o início do caminho até e incluindo o último substramento não curinga correspondente. Uma regra que corresponde apenas tipos de arquivos como "*.tmp" teria a maior especificidade, pois sempre corresponderia a todo o caminho do arquivo. O nível de correspondência do processo tem uma prioridade maior do que a especificidade e descreve como uma regra se aplica a um determinado processo. As regras aplicáveis por nome ou grupo do processo têm o nível de correspondência mais forte, seguidas pela correspondência por negação (ou seja, regras aplicáveis a todos os processos, exceto o dado), enquanto os níveis mais baixos de correspondência têm correspondências globais, ou seja, regras que se aplicam a qualquer processo. - + Prioritize rules based on their Specificity and Process Match Level Priorizar regras com base em sua Especificidade e Nível de Correspondência de Processos - + Privacy Mode, block file and registry access to all locations except the generic system ones Modo de Privacidade, bloqueia o acesso a arquivos e registros em todos os locais, exceto os genéricos do sistema - + Access Mode Modo de Acesso - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Quando o Modo de Privacidade estiver ativado, os processos com caixa de areia só poderão ler C:\Windows\*, C:\Program Files\*, e partes do registro HKLM, todos os outros locais precisarão de acesso explícito para serem legíveis ou graváveis. Nesse modo, a Especificação de Regra está sempre ativada. - + Rule Policies Políticas de Regras @@ -8804,23 +8920,23 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Aplicar Fechar...=!<programa>,... regras também para todos os binários localizados na caixa de areia. - + Apply File and Key Open directives only to binaries located outside the sandbox. Aplicar diretivas de Arquivo e Chave Abertas apenas para binários localizados fora da caixa de areia. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Iniciar os RPCs na caixa de areia como um processo de SISTEMA (não recomendado) - + Allow only privileged processes to access the Service Control Manager Permitir apenas processos privilegiados para acessar o Gerenciador de Controle de Serviços - - + + Compatibility Compatibilidade @@ -8829,29 +8945,29 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Acesso aberto à infraestrutura COM (não recomendado) - + Add sandboxed processes to job objects (recommended) Adicionar processos de caixa de areia a objetos de trabalho (recomendado) - + Emulate sandboxed window station for all processes Emular estação de janela da caixa de areia para todos os processos - + Allow use of nested job objects (works on Windows 8 and later) Allow use of nested job objects (experimental, works on Windows 8 and later) Permitir o uso de objetos de trabalho aninhados (experimental, funciona no Windows 8 e anteriores) - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Isolamento de segurança através do uso de um token de processo fortemente restrito é o principal meio do Sandboxie impor restrições de caixa de areia, quando está desativado a caixa é operada no modo compartimento de aplicativos, ou seja, não está mais fornecendo segurança confiável, apenas compartimentação simples de aplicativo. - + Allow sandboxed programs to manage Hardware/Devices Permitir que programas na caixa de areia gerenciem Hardware/Dispositivos @@ -8860,7 +8976,7 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Permitir o uso de objetos de trabalho aninhados (experimental, funciona no Windows 8 e posterior) - + Isolation Isolamento @@ -8869,22 +8985,22 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Permitir que programas na caixa de areia Gerenciem Hardware/Dispositivos - + Open access to Windows Security Account Manager Abrir acesso ao Gerenciador de Conta de Segurança do Windows - + Open access to Windows Local Security Authority Abrir acesso à Autoridade de Segurança Local do Windows - + Program Control Controle de Programa - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Desativar o uso de RpcMgmtSetComTimeout por padrão (isso pode resolver problemas de compatibilidade) @@ -8897,22 +9013,22 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Vários recursos avançados de isolamento podem quebrar a compatibilidade com alguns aplicativos. Se você estiver usando essa caixa de areia <b>Não Seguro</b> mas, para simples portabilidade do aplicativo, alterando essas opções, você pode restaurar a compatibilidade sacrificando alguma segurança. - + Security Isolation & Filtering Isolamento de Segurança e Filtragem - + Disable Security Filtering (not recommended) Desativar Filtragem de Segurança (não recomendada) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Filtragem de segurança usada pela Sandboxie para impor restrições de sistema de arquivos e registro, bem como restringir o acesso ao processo. - + The below options can be used safely when you don't grant admin rights. As opções abaixo podem ser usadas com segurança quando você não concede direitos administrativos. @@ -8941,32 +9057,32 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Ocultar Processo - + Add Process Adicionar Processo - + Hide host processes from processes running in the sandbox. Ocultar processos do host de processos em execução no sandbox. - + Don't allow sandboxed processes to see processes running in other boxes Não permitir que processos do sandbox vejam processos em execução de outras caixas - + Users Usuários - + Restrict Resource Access monitor to administrators only Restringir o monitor de acesso a recursos apenas para administradores - + Add User Adicionar Usuário @@ -8975,7 +9091,7 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Remover Usuário - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8984,7 +9100,7 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Nota: As configurações de programas e pastas forçadas para uma caixa de areia não se aplicam a contas de usuários que não podem usar o sandbox. - + Tracing Rastreamento @@ -8994,22 +9110,22 @@ Nota: As configurações de programas e pastas forçadas para uma caixa de areia Rastreamento de chamada de API (requer logapi instalado na pasta sbie) - + Pipe Trace Rastreamento de Pipe - + Log all SetError's to Trace log (creates a lot of output) Log SetError's para todas os log de Rastreamento (cria muitas saídas) - + Log Debug Output to the Trace Log Registrar a saída de depuração no log de rastreamento - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -9032,37 +9148,37 @@ ao invés de "*". Rastreamento Ntdll syscall (cria muita saída) - + File Trace Rastreamento de Arquivo - + Disable Resource Access Monitor Desativar Monitor de Acesso ao Recurso - + IPC Trace Rastreamento IPC - + GUI Trace Rastreamento de GUI - + Resource Access Monitor Monitor de Acesso ao Recurso - + Access Tracing Rastrear Acesso - + COM Class Trace Rastreamento de Classe COM @@ -9071,246 +9187,262 @@ ao invés de "*". <- para um desses acima não se aplica - + Triggers Gatilhos - + Event Evento - - - - + + + + Run Command Executar Comando - + Start Service Iniciar Serviço - + These events are executed each time a box is started Esses eventos são executados sempre que uma caixa é iniciada - + On Box Start Ao iniciar uma caixa - - + + These commands are run UNBOXED just before the box content is deleted Esses comandos são executados FORA DA CAIXA logo antes do conteúdo da caixa ser excluído - + Prevent sandboxed processes from interfering with power operations (Experimental) Impedir que processos nas caixas interfiram nas operações de energia (experimental) - + Prevent interference with the user interface (Experimental) Impedir interferência com a interface do usuário (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) Impedir que processos nas caixas capturem imagens de janelas (experimental, pode causar falhas na interface do usuário) - + DNS Filter Filtro DNS - + Add Filter Adicionar Filtro - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. Com o filtro DNS, domínios individuais podem ser bloqueados, por processo. Deixe a coluna IP vazia para bloquear ou digite um ip para redirecionar. - + Domain Domínio - + Internet Proxy Proxy de Internet - + Add Proxy Adicionar Proxy - + Test Proxy Testar Proxy - + Auth - + Login - + Password Senha - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. Os programas na caixa de areia podem ser forçados a usar um proxy SOCKS5 predefinida. - - - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + + + unlimited - - + + bytes - + Resolve hostnames via proxy Resolver nomes de host via proxy - + Restart force process before they begin to execute Reiniciar processos forçados antes que eles comecem a ser executados - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Esses comandos são executados apenas quando uma caixa é inicializada. Para fazê-los funcionar novamente, o conteúdo da caixa deve ser excluído. - + On Box Init Ao iniciar uma caixa - + Here you can specify actions to be executed automatically on various box events. Aqui você pode especificar ações a serem executadas automaticamente em vários eventos de caixa. - + Privacy - + Hide Network Adapter MAC Address - + Hide Firmware Information Ocultar Informações do Firmware - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Alguns programas leem os detalhes do sistema através do WMI (um banco de dados embutido no Windows) em vez de pelos métodos normais. Por exemplo, "tasklist.exe" pode obter a lista completa de processos acessando o WMI, mesmo se "HideOtherBoxes" estiver ativado. Habilite esta opção para impedir esse comportamento. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Impedir que processos na caixa de areia acessem detalhes do sistema através do WMI (consulte o tooltip para mais informações) - + Process Hiding - + Use a custom Locale/LangID Usar Locale/LangID personalizado - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables Despejar Tabelas de FW - + API call Trace (traces all SBIE hooks) Rastreamento de Chamada de API (rastreia todos os ganchos SBIE) - + Key Trace Rastreamento de Chave - - + + Network Firewall Firewall de Rede - + Debug Depurar - + WARNING, these options can disable core security guarantees and break sandbox security!!! AVISO, essas opções podem desativar as garantias de segurança essenciais e interromper a segurança da sandbox!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Essas opções destinam-se a depurar problemas de compatibilidade, não as use em produção. - + App Templates Modelos de Aplicativos @@ -9319,22 +9451,22 @@ ao invés de "*". Modelos de Compatibilidade - + Filter Categories Categorias de Filtro - + Text Filter Filtro de Texto - + Add Template Adicionar Modelo - + This list contains a large amount of sandbox compatibility enhancing templates Essa lista contém uma grande quantidade de modelos de compatibilidade de caixa de areia @@ -9343,17 +9475,17 @@ ao invés de "*". Remover Modelo - + Category Categoria - + Template Folders Pasta de Modelos - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -9362,130 +9494,129 @@ Please note that this values are currently user specific and saved globally for Por favor, note que esse valores são atualmente para o usuário específico e salvos globalmente para todas as caixas. - - + + Value Valor - + Accessibility Acessibilidade - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Para compensar a proteção perdida, consulte a página de configurações de Liberar Direitos no grupo de configurações de Restrições. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Leitores de tela: JAWS, NVDA, Window-Eyes, Acesso ao Sistema - + Partially checked means prevent box removal but not content deletion. Parcialmente marcado significa impedir a remoção da caixa, mas não a exclusão do conteúdo. - + Restrictions Restrições - + Allow useful Windows processes access to protected processes Permitir que processos úteis do Windows acessem processos protegidos - + Configure which processes can access Desktop objects like Windows and alike. Configurar quais processos podem acessar objetos da área de trabalho como Windows e similares. - + Other Options Outras Opções - + Port Blocking Bloqueio de Porta - + Block common SAMBA ports Bloquear portas SAMBA comuns - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. Esse recurso não bloqueia todos os meios de obtenção de captura de tela, apenas alguns dos mais comuns. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. Impedir de mover o mouse, trazer para frente e operações semelhantes, pois isso provavelmente causará problemas nos jogos. - + Only Administrator user accounts can make changes to this sandbox Somente contas de usuários Administradores podem fazer alterações nesse sandbox - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>AVISO DE SEGURANÇA</font>:</b> Usando <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> ou <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> em combinação com as diretivas Abrir[Arquivo/Pipe]Caminho podem comprometer a segurança. Por favor, revise a seção de segurança para cada opção na documentação antes de usar. + <b><font color='red'>AVISO DE SEGURANÇA</font>:</b> Usando <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> ou <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> em combinação com as diretivas Abrir[Arquivo/Pipe]Caminho podem comprometer a segurança. Por favor, revise a seção de segurança para cada opção na documentação antes de usar. - + Bypass IPs - + Block DNS, UDP port 53 Bloquear DNS, porta UDP 53 - + Quick Recovery Recuperação Rápida - + Immediate Recovery Recuperação Imediata - + Various Options Várias Opções - + Apply ElevateCreateProcess Workaround (legacy behaviour) Aplicar ElevateCreateProcess solução alternativa (comportamento herdado) - + Use desktop object workaround for all processes Usar solução alternativa de objeto da área de trabalho para todos os processos - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. Quando a tecla de atalho global é pressionada 3 vezes em uma curta sucessão, essa exceção será ignorada. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. Excluir o encerramento dessa caixa quando "Terminar Todos os Processos" for invocado. - + Limit restrictions Limitar restrições @@ -9494,66 +9625,66 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Em branco desativa a configuração(Unid:KB) - - - + + + Leave it blank to disable the setting Em branco desativa a configuração - + Total Processes Number Limit: Limite de número total de processos: - + Total Processes Memory Limit: Limite total de memória de processos: - + Single Process Memory Limit: Limite de memória de processo único: - + On Box Terminate Ao encerrar a caixa - + This command will be run before the box content will be deleted Esse comando será executado antes que o conteúdo da caixa seja excluído - + On File Recovery Ao recuperar arquivos - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked Esse comando será executado antes de um arquivo ser recuperado e o caminho do arquivo será passado como primeiro argumento. Se esse comando retornar algo diferente de 0, a recuperação será bloqueada - + Run File Checker Executar File Checker - + On Delete Content Ao Excluir Conteúdo - + Protect processes in this box from being accessed by specified unsandboxed host processes. Proteger os processos nessa caixa de serem acessados ​​por processos do host fora da caixa de proteção especificados. - - + + Process Processo @@ -9562,28 +9693,28 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Bloquear também o acesso de leitura aos processos nessa caixa - + Add Option Adicionar Opção - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. Aqui você pode configurar opções avançadas por processo para melhorar a compatibilidade e/ou personalizar o comportamento do sandbox. - + Option Opção - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Don't allow sandboxed processes to see processes running outside any boxes Não permitir que processos nas caixas vejam processos em execução fora de qualquer caixa @@ -9598,47 +9729,47 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Alguns programas recuperam detalhes do sistema via WMI (Windows Management Instrumentation), um banco de dados integrado do Windows, em vez de usar métodos convencionais. Por exemplo, 'tasklist.exe' pode acessar uma lista completa de processos mesmo se 'HideOtherBoxes' estiver ativado. Ative essa opção para evitar tal comportamento. - + DNS Request Logging Registro de Solicitação DNS - + Syscall Trace (creates a lot of output) Syscall Trace (cria muita saída) - + Templates Modelos - + Open Template Abrir Modelo - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. As configurações a seguir permitem usar o sandboxie em combinação com software de acessibilidade. Note que algumas medidas de proteção do sandboxie seram perdidas quando essas configurações estiverem em vigor. - + Edit ini Section Editar Seção ini - + Edit ini Editar ini - + Cancel Cancelar - + Save Salvar @@ -9654,7 +9785,7 @@ Por favor, note que esse valores são atualmente para o usuário específico e s ProgramsDelegate - + Group: %1 Grupo: %1 @@ -9662,7 +9793,7 @@ Por favor, note que esse valores são atualmente para o usuário específico e s QObject - + Drive %1 Drive %1 @@ -9670,27 +9801,27 @@ Por favor, note que esse valores são atualmente para o usuário específico e s QPlatformTheme - + OK - + Apply Aplicar - + Cancel Cancelar - + &Yes &Sim - + &No &Não @@ -9704,12 +9835,12 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Sandboxie Plus - Recuperar - + Delete Excluir - + Close Fechar @@ -9733,7 +9864,7 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Adicionar Pasta - + Recover Recuperar @@ -9742,7 +9873,7 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Recuperar para... - + Refresh Atualizar @@ -9751,12 +9882,12 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Excluir todos - + Show All Files Mostrar Todos os Arquivos - + TextLabel @@ -9822,23 +9953,23 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Configurações Gerais - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Mostrar a primeira janela de recuperação ao esvaziar as caixas de areia - + Open urls from this ui sandboxed Abrir urls dessa interface na caixa de areia - + Systray options Opções da Bandeja do Sistema - + Show recoverable files as notifications Mostrar arquivos recuperáveis ​​como notificações @@ -9848,7 +9979,7 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Idioma da interface: - + Show Icon in Systray: Mostrar ícone na bandeja: @@ -9857,27 +9988,27 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Mostrar janela de recuperação imediatamente, em vez de apenas notificar sobre arquivos recuperáveis - + Shell Integration Integração com o Shell - + Run Sandboxed - Actions Executar na Caixa de Areia - Ações - + Start Sandbox Manager Iniciar o Sandbox Manager - + Start UI when a sandboxed process is started Iniciar interface do usuário quando um processo do sandbox for iniciado - + On main window close: Ao fechar janela principal: @@ -9902,253 +10033,253 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Mostrar notificações para log de mensagens relevantes - + Start UI with Windows Iniciar interface do usuário com windows - + Add 'Run Sandboxed' to the explorer context menu Adicionar 'Executar na Caixa de Areia' no menu de contexto do explorer - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Contar e exibir espaço em disco ocupado por cada caixa - + Hotkey for terminating all boxed processes: Tecla de atalho para terminar todos os processos da caixa: - + Show the Recovery Window as Always on Top Mostrar janela de recuperação como sempre visível - + Always use DefaultBox Sempre usar DefaultBox - + Use Compact Box List Usar lista de caixas compactas - + Interface Config Configuração da Interface - + Make Box Icons match the Border Color Fazer com que os ícones da caixa correspondam à cor da borda - + Use a Page Tree in the Box Options instead of Nested Tabs * Usar uma árvore de páginas nas opções da caixa em vez de abas aninhadas * - - + + Interface Options Opções de Interface - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Mostrar plano de fundo de "Pizza" na lista de caixas * - + Use large icons in box list * Usar ícones grandes na lista de caixas * - + High DPI Scaling Escala de DPI alto - + Don't show icons in menus * Não mostrar ícones nos menus * - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie pode ter problema para registrar <a href="sbie://docs/sbiemessages">Mensagens do SBIE</a> e mostrá-las como pop-ups. Algumas mensagens são informativas e notificam sobre um evento comum, em alguns casos, especial que ocorreu; outras mensagens indicam uma condição de erro.<br />É possível ocultar a exibição de mensagens SBIE selecionadas, usando a lista abaixo: - + Disable SBIE messages popups (they will still be logged to the Messages tab) Desativar os pop-ups de mensagens do SBIE (eles ainda serão registrados na aba Mensagens) - + Use Dark Theme Usar tema Escuro - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list Ocultar os próprios processos do Sandboxie da lista de tarefas - + Ini Editor Font Fonte do Editor Ini - + Font Scaling Escala da fonte - + Select font Selecionar fonte - + Reset font Redefinir fonte - + (Restart required) (É necessário reiniciar) - + # - + Ini Options Opções Ini - + External Ini Editor Editor Ini Externo - + Terminate all boxed processes when Sandman exits - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + Add-Ons Manager Gerenciador de Complementos - + Optional Add-Ons Complementos Opcionais - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus oferece inúmeras opções e suporta uma ampla gama de extensões. Nessa página você pode configurar a integração de complementos, plug-ins e outros componentes de terceiros. Componentes opcionais podem ser baixados da web e determinadas instalações podem exigir privilégios administrativo. - + Status - + Version Versão - + Description Descrição - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">atualizar lista de complementos agora</a> - + Install Instalar - + Add-On Configuration Configuração de Complemento - + Enable Ram Disk creation Ativar a criação de Disco Ram - + kilobytes - + Assign drive letter to Ram Disk Atribuir letra de unidade ao Disco Ram - + Disk Image Support Suporte para Imagem de Disco - + RAM Limit Limite de RAM - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Instalar ImDisk</a> driver para ativar o suporte a Disco Ram e Imagem de Disco. - + Hotkey for bringing sandman to the top: Tecla de atalho para tornar o sandman sempre visível: - + Hotkey for suspending process/folder forcing: Tecla de atalho para forçar suspensão de processo/pasta: - + Hotkey for suspending all processes: Hotkey for suspending all process Tecla de atalho para suspender todos os processos: - + Check sandboxes' auto-delete status when Sandman starts Verificar status de exclusão automática das caixas de areia quando o Sandman iniciar @@ -10157,134 +10288,134 @@ Por favor, note que esse valores são atualmente para o usuário específico e s Adicionar ‘Tornar pasta/arquivo forçado’ ao menu de contexto - + Integrate with Host Desktop Integrar com Área de trabalho do Host - + System Tray Bandeja do Sistema - + Open/Close from/to tray with a single click Abrir ou Fechar para a bandeja com um único clique - + Minimize to tray Minimizar para bandeja - + Hide SandMan windows from screen capture (UI restart required) Ocultar janelas do SandMan da captura de tela (é necessário reiniciar a interface do usuário) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. Quando o Disco Ram já estiver montado, é nescessário desmontá-lo para que essa opção tenha efeito. - + * takes effect on disk creation * entra em vigor na criação do disco - + Sandboxie Support Suporte do Sandboxie - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Esse certificado de apoiador expirou, por favor <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">obtenha um certificado atualizado</a>. - + Get Obter - + Retrieve/Upgrade/Renew certificate using Serial Number Recuperar/Atualizar/Renovar certificado usando número de série - + SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Guia de uso do certificado</a> - + HwId: 00000000-0000-0000-0000-000000000000 - + Sandboxie Updater Atualizador do Sandboxie - + Keep add-on list up to date Manter a lista de complementos atualizada - + Update Settings Configurações de Atualização - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. O canal Insider oferece acesso antecipado a novos recursos e correções de bugs que eventualmente serão lançados ao público, bem como todas as melhorias relevantes do canal estável. Ao contrário do canal preview, ele não inclui alterações não testadas, potencialmente problemáticas ou experimentais que podem não estar prontas para uso mais amplo. - + Search in the Insider channel Pesquisar no canal Insider - + New full installers from the selected release channel. Novos instaladores completos do canal de lançamento selecionado. - + Full Upgrades Atualizações Completas - + Check periodically for new Sandboxie-Plus versions Verificar periodicamente se há novas versões do Sandboxie-Plus - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> Mais sobre o <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Canal Insider</a> - + Keep Troubleshooting scripts up to date Manter os scripts de solução de problemas atualizados - + Update Check Interval Intervalo de Verificação de Atualização - + Advanced Config Configuração Avançada @@ -10293,12 +10424,12 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Usar Plataforma de Filtragem do Windows para restringir o acesso à rede (experimental)* - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: <a href="sbie://docs/filerootpath">Pasta dos arquivos</a> do Sandbox: - + Clear password when main window becomes hidden Limpar senha quando a janela principal ficar oculta @@ -10307,7 +10438,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Pastas de usuário separadas - + Run box operations asynchronously whenever possible (like content deletion) Executar operações da caixa de forma assíncrona sempre que possível (como exclusão de conteúdo) @@ -10317,62 +10448,62 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Opções Gerais - + Show boxes in tray list: Mostrar lista de caixas na bandeja: - + Add 'Run Un-Sandboxed' to the context menu Adicionar 'Executar Fora da Caixa de Areia' ao menu de contexto - + Show a tray notification when automatic box operations are started Mostrar notificação na bandeja quando as operações automáticas da caixa são iniciadas - + Use Windows Filtering Platform to restrict network access Usar Plataforma de Filtragem do Windows para restringir o acesso à rede - + Activate Kernel Mode Object Filtering Ativar filtragem de objetos no Modo Kernel - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: <a href="sbie://docs/ipcrootpath">Pasta do ipc</a> do Sandbox : - + Sandbox default Caixa de Areia padrão - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * uma caixa de seleção parcialmente marcada deixará o comportamento a ser determinado pelo modo de exibição. - + % - + Alternate row background in lists Plano de fundo com linhas alternando em listas - + Use Fusion Theme Usar tema Fusão - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Gancho selecionando chamadas do sistema Win32k para permitir a aceleração da GPU (experimental) @@ -10381,22 +10512,22 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Usar login do Sandboxie em vez de um token anônimo (experimental) - + Config protection Proteção de Configuração - + ... - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: <a href="sbie://docs/keyrootpath">Pasta de registro</a> do Sandbox: - + Sandboxing features Recursos do Sandboxie @@ -10409,22 +10540,22 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Usar a Plataforma de Filtragem do Windows para restringir o acesso à rede (experimental) - + Change Password Alterar Senha - + Password must be entered in order to make changes Uma senha deve ser inserida para fazer alterações - + Only Administrator user accounts can make changes Apenas contas de usuários Administradores podem fazer alterações - + Watch Sandboxie.ini for changes Observar alterações em Sandboxie.ini @@ -10438,7 +10569,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Outras configurações - + Portable root folder Pasta raíz portable @@ -10447,61 +10578,61 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote * requer recarregar driver ou reinicialização do sistema - + Program Control Controle de Programa - - - - - + + + + + Name Nome - + Use a Sandboxie login instead of an anonymous token Usar um login do Sandboxie em vez de um token anônimo - + Path Caminho - + Remove Program Remover Programa - + Add Program Adicionar Programa - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Quando um dos programas a seguir for iniciado fora de qualquer caixa, o Sandboxie emitirá a mensagem SBIE1301. - + Add Folder Adicionar Pasta - + Prevent the listed programs from starting on this system Impedir que os programas listados sejam iniciados nesse sistema - + Issue message 1308 when a program fails to start Emitir mensagem 1308 quando um programa falha ao iniciar - + Recovery Options Opções de Recuperação @@ -10511,42 +10642,42 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Opções do SandMan - + Notifications Notificações - + Add Entry Adicionar Entrada - + Show file migration progress when copying large files into a sandbox Mostrar progresso de migração de arquivos ao copiar arquivos grandes para o sandbox - + Message ID ID da Mensagem - + Message Text (optional) Texto da Mensagem (opcional) - + SBIE Messages Mensagens do SBIE - + Delete Entry Excluir Entrada - + Notification Options Opções de Notificação @@ -10561,22 +10692,22 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Desativar pop-ups de mensagens SBIE (elas ainda serão registradas na aba Mensagens) - + Windows Shell Shell do Windows - + Start Menu Integration Integração do Menu Iniciar - + Scan shell folders and offer links in run menu Verificar as pastas do shell e oferecer links para o menu de execução - + Integrate with Host Start Menu Integrar com o Menu Iniciar do host @@ -10585,155 +10716,165 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Ícone - + Move Up Mover para Cima - + Move Down Mover para Baixo - + Use new config dialog layout * Usar novo layout da caixa de diálogo de configuração * - + Show overlay icons for boxes and processes Mostrar ícones de sobreposição para caixas e processos - + Graphic Options Opções Gráficas - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Os apoiadores do projeto Sandboxie-Plus podem receber um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a>. É como uma chave de licença, mas para pessoas incríveis que usam software de código aberto. :-) - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Manter o Sandboxie atualizado com as versões contínuas do Windows e compatível com todos os navegadores Web é um esforço sem fim. Você pode apoiar o desenvolvimento <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute"> contribuindo diretamente com o projeto</a>, mostrando seu apoio <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">comprando um certificado de apoiador</a>, tornando-se um patrono <a href="https://sandboxie-plus.com/go.php?to=patreon">se inscrevendo no Patreon</a>, ou através de uma <a href="https://sandboxie-plus.com/go.php?to=donate">doação PayPal</a>.<br />Seu apoio desempenha um papel vital no avanço e manutenção do Sandboxie. - + Cert Info - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) Adicionar o grupo "Sandboxie\Todas as Caixas" ao token do sandbox (experimental) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Sandboxie.ini Presets Predefinições Sandboxie.ini - + Always run SandMan UI as Admin - + Program Alerts Alertas do Programa - + Issue message 1301 when forced processes has been disabled Emitir mensagem 1301 quando os processos forçados forem desativados - + USB Drive Sandboxing Sandbox em Unidade USB - + Volume - + Information Informação - + Sandbox for USB drives: Sandbox para unidades USB: - + Automatically sandbox all attached USB drives Sandbox automaticamente para todas as unidades USB conectadas - + App Templates Modelos de Aplicativos - + App Compatibility Compatibilidade de Aplicativo - + Sandboxie Config Config Protection Configuração do Sandboxie - + This option also enables asynchronous operation when needed and suspends updates. Essa opção também permite a operação assíncrona quando necessário e suspende as atualizações. - + Suppress pop-up notifications when in game / presentation mode Esconder pop-up de notificações no modo jogo ou apresentação - + User Interface Interface do Usuário - + Run Menu Menu Executar - + Add program Adicionar programa - + You can configure custom entries for all sandboxes run menus. Você pode configurar entradas personalizadas para todos os menus de execução das caixas. - - - + + + Remove Remover - + Command Line Linha de Comando - + Support && Updates Suporte && Atualizações @@ -10742,12 +10883,12 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Configuração da Caixa de Areia - + Default sandbox: Caixa padrão: - + Only Administrator user accounts can use Pause Forcing Programs command Somente contas de usuários administradores podem usar o comando Pausar Programas Forçados @@ -10756,67 +10897,67 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Compatibilidade - + In the future, don't check software compatibility No futuro, não verificar a compatibilidade de software - + Enable Ativar - + Disable Desativar - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie detectou os seguintes aplicativos em seu sistema. Clique em Ativar para aplicar as configurações, o que aumentará a compatibilidade com esses aplicativos. Essas configurações terão efeito em todas as caixas de areia existentes e em todas as novas caixas de areia. - + Local Templates Modelos Locais - + Add Template Adicionar Modelo - + Text Filter Filtro de Texto - + This list contains user created custom templates for sandbox options Essa lista contém modelos personalizados criados pelos usuários para opções do sandbox - + Open Template Abrir Modelo - + Edit ini Section Editar Seção ini - + Save Salvar - + Edit ini Editar ini - + Cancel Cancelar @@ -10825,7 +10966,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Suporte - + Incremental Updates Version Updates Atualizações Incrementais @@ -10835,7 +10976,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Novas versões completas do canal de lançamento selecionada. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Hotpatches para a versão instalada, atualizações para o Templates.ini e traduções. @@ -10844,7 +10985,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Esse certificado de apoiador expirou, por favor <a href="sbie://update/cert">obtenha um certificado atualizado</a>. - + The preview channel contains the latest GitHub pre-releases. O canal preview contém os últimos pré-lançamentos do GitHub. @@ -10853,12 +10994,12 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Novas versões - + The stable channel contains the latest stable GitHub releases. O canal estável contém os últimos lançamentos estáveis ​​do GitHub. - + Search in the Stable channel Pesquisar no canal Estável @@ -10867,7 +11008,7 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Manter o Sandboxie atualizado com as versões contínuas do Windows e compatível com todos os navegadores da Web é um esforço sem fim. Por favor, considere apoiar esse trabalho com uma doação.<br />Você pode apoiar o desenvolvimento com uma <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Doação no PayPal</a>, trabalhando também com cartões de crédito.<br />Ou você pode fornecer suporte contínuo com uma <a href="https://sandboxie-plus.com/go.php?to=patreon">Assinatura do Patreon</a>. - + Search in the Preview channel Pesquisar no canal Preview @@ -10880,12 +11021,12 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Manter o Sandboxie atualizado com as versões mais recentes do Windows e compatibilidade com todos os navegadores web é um esforço interminável. Por favor, considere apoiar esse trabalho com uma doação.<br />Você pode apoiar o desenvolvimento com uma <a href="https://sandboxie-plus.com/go.php?to=donate">doação no PayPal</a>, trabalhando também com cartões de crédito.<br />Ou pode fornecer suporte contínuo com uma <a href="https://sandboxie-plus.com/go.php?to=patreon">assinatura do Patreon</a>. - + In the future, don't notify about certificate expiration No futuro, não notificar sobre a expiração do certificado - + Enter the support certificate here Insira o certificado de suporte aqui @@ -10937,37 +11078,37 @@ Ao contrário do canal preview, ele não inclui alterações não testadas, pote Nome: - + Description: Descrição: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Ao excluir um conteúdo do instantâneo, ele será retornado a esse instantâneo em vez de nenhum. - + Default snapshot Instantâneo padrão - + Snapshot Actions Ações de Instantâneo - + Remove Snapshot Remover Instantâneo - + Go to Snapshot Ir para Instantâneo - + Take Snapshot Obter Instantâneo diff --git a/SandboxiePlus/SandMan/sandman_pt_PT.ts b/SandboxiePlus/SandMan/sandman_pt_PT.ts index d110529c..2f16128f 100644 --- a/SandboxiePlus/SandMan/sandman_pt_PT.ts +++ b/SandboxiePlus/SandMan/sandman_pt_PT.ts @@ -9,53 +9,53 @@ - + kilobytes Kilobytes - + Protect Box Root from access by unsandboxed processes - - + + TextLabel - + Show Password - + Mostrar Palavra-passe - + Enter Password - + New Password - + Nova Palavra-passe - + Repeat Password - + Repetir Palavra-passe - + Disk Image Size - + Encryption Cipher - + Encriptação Cipher - + Lock the box when all processes stop. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? - + Installing: %1 - + Add-on not found, please try updating the add-on list in the global settings! - + Add-on Not Found - + Add-on is not available for this platform Addon is not available for this paltform - + Missing installation instructions Missing instalation instructions - + Executing add-on setup failed - + Failed to delete a file during add-on removal - + Updater failed to perform add-on operation Updater failed to perform plugin operation - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 - + Do you want to remove %1? - + Removing: %1 - + Add-on not found! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Opções avançadas da caixa de areia - + On this page advanced sandbox options can be configured. Nesta página, as opções avançadas da caixa podem ser definidas. @@ -191,34 +191,34 @@ Utilizar um login do Sandboxie em vez de um token anônimo - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Impedir que programas das caixas de areia instalados no host carreguem dll's da caixa de areia - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. Este recurso pode reduzir a compatibilidade, pois também impede que processos localizados em caixas gravem no host local e até mesmo os iniciem. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Modelo Compartilhado - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -226,52 +226,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Desativado - + Advanced Options Opções Avançadas - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -305,7 +315,7 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Another issue - + Outro problema @@ -389,31 +399,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) Kilobytes (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -429,22 +439,22 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox Criar nova Caixa de Areia - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Uma caixa de areia isolou seu sistema host de processos em execução dentro da caixa, ele os impede de fazer alterações permanentes em outros programas e dados no seu computador. O nível de isolamento impacta sua segurança, bem como a compatibilidade com aplicativos, portanto, haverá um nível diferente de isolamento, dependendo do tipo de caixa selecionada. A Sandboxie também pode proteger seus dados pessoais de serem acessados ​​por processos em execução sob sua supervisão. - + Enter box name: Digite o nome da caixa: @@ -453,121 +463,121 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a Nova Caixa - + Select box type: Sellect box type: Seleccione o tipo de caixa: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection Caixa com Proteção de Dados Rigorosa - + Security Hardened Sandbox Caixa com Segurança Rigorosa - + Sandbox with Data Protection Caixa com Proteção de Dados - + Standard Isolation Sandbox (Default) Caixa com Isolamento Padrão (Padrão) - + Application Compartment with Data Protection Compartimento de Aplicação com Proteção de Dados - + Application Compartment Box - + Confidential Encrypted Box - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -577,17 +587,17 @@ This ensures the utmost level of privacy and data protection within the confiden Compartimento de Aplicação (SEM Isolamento) - + Remove after use Remover após utilizar - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Depois que o último processo na caixa encerrar, todos os dados na caixa serão excluídos e a própria caixa será removida. - + Configure advanced options Definir opções avançadas @@ -875,36 +885,64 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - Normal - - - - Maximum + Zip + Store + Armazenar + + + + Fastest + Mais rápido + + + + Fast + Rápido + + + + Normal + Normal + + + + Maximum + Máximo + + + Ultra + Ultra + + + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + Select Directory + + + + + This name is already in use, please select an alternative box name + Este nome já está em uso, seleccione um nome de caixa alternativo + CFileBrowserWindow @@ -975,13 +1013,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure Localização e comportamento da caixa de areia - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -990,64 +1028,64 @@ You can use %USER% to save each users sandbox to an own fodler. Você pode utilizar %USER% para salvar a caixa de proteção de cada utilizador em uma pasta própria. - + Sandboxed Files Ficheiros da Caixa - + Select Directory Seleccionar Diretório - + Virtualization scheme Esquema de virtualização - + Version 1 Versão 1 - + Version 2 Versão 2 - + Separate user folders Pastas do utilizador separadas - + Use volume serial numbers for drives Utilizar números de série de volume para unidades - + Auto delete content when last process terminates Auto apagar conteúdo quando o último processo terminar - + Enable Immediate Recovery of files from recovery locations Activar recuperação imediata de ficheiros em locais de recuperação - + The selected box location is not a valid path. The sellected box location is not a valid path. A localização da caixa selecionada não é um caminho válido. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? A localização da caixa selecionada existe e não está vazia, é recomendável escolher uma pasta nova ou vazia. Tem certeza de que deseja utilizar uma pasta existente? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. O local da caixa selecionada não foi colocado em uma unidade disponível no momento. @@ -1131,7 +1169,7 @@ Você pode utilizar %USER% para salvar a caixa de proteção de cada utilizador Failed to download file from: %1 - + Falha ao descarregar o ficheiro de: %1 @@ -1139,17 +1177,17 @@ Você pode utilizar %USER% para salvar a caixa de proteção de cada utilizador Select issue from group - + Seleccione o problema do grupo Please specify the exact issue: - + Especifique o problema exato: Another issue - + Outro problema @@ -1188,83 +1226,83 @@ Você pode utilizar %USER% para salvar a caixa de proteção de cada utilizador CIsolationPage - + Sandbox Isolation options - + Definições de isolamento do sandbox - + On this page sandbox isolation options can be configured. - + Nesta página as definições de isolamento do sandbox podem ser definidas. - + Network Access Acesso à Rede - + Allow network/internet access Permitir acesso à rede/internet - + Block network/internet by denying access to Network devices Bloquear rede/internet negando acesso a dispositivos de rede - + Block network/internet using Windows Filtering Platform Bloquear rede/internet usando a Plataforma de Filtragem do Windows - + Allow access to network files and folders Permitir acessar ficheiros e pastas de rede - - + + This option is not recommended for Hardened boxes Essa opção não é recomendada para caixas com segurança rigorosas - + Prompt user whether to allow an exemption from the blockade - + Solicitar ao utilizador se deseja permitir uma isenção de bloqueio - + Admin Options - Opções de Administrador + Definições de Administrador - + Drop rights from Administrators and Power Users groups Retirar direitos de grupos de Administradores e Usuários Avançados - + Make applications think they are running elevated Fazer os aplicativos pensarem que estão sendo executados em nível elevado - + Allow MSIServer to run with a sandboxed system token Permitir que MSIServer seja executado com um token de sistema na caixa - + Box Options - Opções da Caixa + Definições da Caixa - + Use a Sandboxie login instead of an anonymous token Utilizar um login do Sandboxie em vez de um token anônimo - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. O uso de um token do sandboxie personalizado permite isolar melhor as caixas individuais umas das outras e mostra na coluna do utilizador dos gerenciadores de tarefas o nome da caixa à qual um processo pertence. Algumas soluções de segurança de terceiros podem, no entanto, ter problemas com tokens personalizados. @@ -1274,17 +1312,17 @@ Você pode utilizar %USER% para salvar a caixa de proteção de cada utilizador Select issue from full list - + Seleccionar problema na lista completa Search filter - + Filtro de busca None of the above - + Nenhuma das acima @@ -1382,24 +1420,25 @@ Você pode utilizar %USER% para salvar a caixa de proteção de cada utilizador - + Add your settings after this line. - + Adicione suas definições depois desta linha. - + + Shared Template - + Modelo Compartilhado - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. A nova caixa foi criada usando o novo <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Esquema de Virtualização Versão 2</a>, se você tiver problemas inesperados com esta caixa, mude para o Esquema de Virtualização para a Versão 1 e relate o problema, a opção para alterar esta predefinição pode ser encontrada nas Opções de Caixa no grupo Estrutura de Caixa. - + Don't show this message again. Não mostrar esta mensagem novamente. @@ -1415,45 +1454,45 @@ Você pode utilizar %USER% para salvar a caixa de proteção de cada utilizador COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + Do you want to check if there is a new version of Sandboxie-Plus? Quer verificar se existe uma nova versão do Sandboxie-Plus? - + Don't show this message again. Não mostrar esta mensagem novamente. - + Checking for updates... A verificar por actualizações... - + server not reachable servidor não acessível - - + + Failed to check for updates, error: %1 Falha ao verificar actualizações, erro: %1 - + <p>Do you want to download the installer?</p> <p>Deseja descarregar o instalador?</p> - + <p>Do you want to download the updates?</p> <p>Deseja descarregar as actualizações?</p> @@ -1462,75 +1501,75 @@ Do you still want to update? <p>Você quer ir para a <a href="%1">página de actualização</a>?</p> - + Don't show this update anymore. Não mostrar mais esta actualização. - + Downloading updates... A descarregar actualizações... - + invalid parameter parâmetro inválido - + failed to download updated information failed to download update informations falha ao descarregar informações de actualização - + failed to load updated json file failed to load update json file falha ao carregar ficheiro json actualizado - + failed to download a particular file falha ao descarregar um ficheiro específico - + failed to scan existing installation falha ao verificar a instalação que existe - + updated signature is invalid !!! update signature is invalid !!! assinatura atualizada está inválida!!! - + downloaded file is corrupted ficheiro baixado está corrompido - + internal error erro interno - + unknown error erro desconhecido - + Failed to download updates from server, error %1 Falha ao descarregar as actualizações do servidor, erro %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Actualizações para Sandboxie-Plus foram baixadas.</p><p>Deseja aplicar essas actualizações? Se algum programa estiver sendo executado em uma caixa, ele será encerrado.</p> - + Downloading installer... A descarregar o instalador... @@ -1539,17 +1578,17 @@ Do you still want to update? Falha ao descarregar o instalador de: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Um novo instalador Sandboxie-Plus foi baixado para o seguinte local:</p><p><a href="%2">%1</a></p><p>Deseja iniciar a instalação? Se algum programa estiver sendo executado em uma caixa, ele será encerrado.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Você quer ir para a <a href="%1">página de informações</a>?</p> - + Don't show this announcement in the future. Não mostrar este anúncio no futuro. @@ -1558,7 +1597,7 @@ Do you still want to update? <p>Há uma nova versão do Sandboxie-Plus disponível.<br /><font color='red'>Nova versão:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Há uma nova versão do Sandboxie-Plus disponível.<br /><font color='red'><b>Nova versão:</b></font> <b>%1</b></p> @@ -1567,7 +1606,7 @@ Do you still want to update? <p>Você quer descarregar a versão mais recente?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Você quer ir para a <a href="%1">página de download</a>?</p> @@ -1576,7 +1615,7 @@ Do you still want to update? Não mostre mais esta mensagem. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1608,9 +1647,9 @@ Nota: A verificação de actualização geralmente está por trás da versão ma COptionsWindow - - + + Browse for File Procurar por Ficheiro @@ -1766,21 +1805,21 @@ Nota: A verificação de actualização geralmente está por trás da versão ma - - + + Select Directory Seleccionar Pasta - + - - - - + + + + @@ -1790,12 +1829,12 @@ Nota: A verificação de actualização geralmente está por trás da versão ma Todos os Programas - - + + - - + + @@ -1829,8 +1868,8 @@ Nota: A verificação de actualização geralmente está por trás da versão ma - - + + @@ -1847,150 +1886,150 @@ Nota: A verificação de actualização geralmente está por trás da versão ma Por favor, introduza um comando auto exec - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Activar uso de ganchos win32 para processos selecionados. Nota: Você precisa activar o suporte win32k syscall hook globalmente primeiro. - + Enable crash dump creation in the sandbox folder Activar a criação de despejo de memória na pasta da caixa - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Sempre utilizar a correção ElevateCreateProcess, às vezes aplicada pelo Assistente de Compatibilidade de programa. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes Ative o comportamento inconsistente especial PreferExternalManifest, conforme necessário para algumas correções do Edge - + Set RpcMgmtSetComTimeout usage for specific processes Definir o uso de RpcMgmtSetComTimeout para processos específicos - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Fazer que uma chamada aberta de gravação para um ficheiro que não será copiado falhe em vez de transformá-lo somente leitura. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. Fazer que os processos especificados pensem que têm permissões de administrador. - + Force specified processes to wait for a debugger to attach. Força os processos especificados a aguardar a anexação de um depurador. - + Sandbox file system root Raiz do sistema de ficheiros do Sandbox - + Sandbox registry root Raiz de registro do Sandbox - + Sandbox ipc root Raiz do ipc do Sandbox - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: Adicionar opção especial: - - + + On Start Ao iniciar - - - - - + + + + + Run Command Rodar comando - + Start Service Iniciar Serviço - + On Init Ao Iniciar - + On File Recovery Na recuperação de ficheiros - + On Delete Content Ao apagar conteúdo - + On Terminate - - - - - + + + + + Please enter the command line to be executed Digite a linha de comando a ser executada - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1999,49 +2038,75 @@ Nota: A verificação de actualização geralmente está por trás da versão ma Introduza o nome do programa - + Deny Negar - + %1 (%2) Same as in source %1 (%2) - - + + Process Processo - - + + Folder Pasta - + Children - - - + + Document + + + + + + Select Executable File Seleccione o ficheiro executável - - - + + + Executable Files (*.exe) Ficheiros Executáveis (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? @@ -2128,131 +2193,131 @@ Nota: A verificação de actualização geralmente está por trás da versão ma Compartimento de Aplicação - + Custom icon Personalizar ícone - + Version 1 Versão 1 - + Version 2 Versão 2 - + Browse for Program Procurar pelo programa - + Open Box Options Abrir opções da caixa - + Browse Content Navegador de Conteúdo - + Start File Recovery Iniciar recuperação de ficheiros - + Show Run Dialog Mostrar diálogo rodar - + Indeterminate Indeterminado - + Backup Image Header - + Restore Image Header - + Change Password Mudar Palavra-passe - - + + Always copy Sempre copiar - - + + Don't copy Não copiar - - + + Copy empty Copiar vazio - + kilobytes (%1) Only capitalized Kilobytes (%1) - + Select color Seleccionar cor - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored @@ -2261,7 +2326,7 @@ Nota: A verificação de actualização geralmente está por trás da versão ma Introduza o localização do programa - + Select Program Seleccionar Programa @@ -2270,7 +2335,7 @@ Nota: A verificação de actualização geralmente está por trás da versão ma Executáveis (*.exe *.cmd);;Todos os ficheiros (*.*) - + Please enter a service identifier Por favor, introduza um identificador de serviço @@ -2283,18 +2348,18 @@ Nota: A verificação de actualização geralmente está por trás da versão ma Programa - + Executables (*.exe *.cmd) Executáveis (*.exe *.cmd) - - + + Please enter a menu title Por favor introduza o título do menu - + Please enter a command Por favor, digite um comando @@ -2373,7 +2438,7 @@ Nota: A verificação de actualização geralmente está por trás da versão ma - + Allow @@ -2512,62 +2577,62 @@ Please select a folder which contains this file. Você realmente quer apagar o modelo local seleccionado? - + Sandboxie Plus - '%1' Options Definições do Sandboxie Plus - '%1' - + File Options Opções de Ficheiro - + Grouping Agrupamento - + Add %1 Template Adicionar %1 Modelo - + Search for options Pesquisar opções - + Box: %1 Caixa: %1 - + Template: %1 Modelo: %1 - + Global: %1 - + Default: %1 Predefinido: %1 - + This sandbox has been deleted hence configuration can not be saved. Esta caixa de areia foi eliminada, portanto, a definição não pode ser salva. - + Some changes haven't been saved yet, do you really want to close this options window? Algumas alterações ainda não foram salvas, você realmente quer fechar esta janela de opções? - + Enter program: Introduza um programa: @@ -2619,12 +2684,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss Dispensar - + Remove this progress indicator from the list Remover este indicador de progresso da lista @@ -2632,42 +2697,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process Lembrar para este processo - + Yes Sim - + No Não - + Terminate Encerrar - + Yes and add to allowed programs Sim e adicionar a programas permitidos - + Requesting process terminated Processo solicitado terminado - + Request will time out in %1 sec O pedido expirará em %1 seg - + Request timed out Pedido expirou @@ -2675,67 +2740,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: Recuperar para: - + Browse Procurar - + Clear folder list Limpar lista de pastas - + Recover Recuperar - + Recover the file to original location Recuperar ficheiro para o local original - + Recover && Explore Recuperar && Explorar - + Recover && Open/Run Recuperar && Abrir/Rodar - + Open file recovery for this box Abrir recuperação de ficheiro para esta caixa - + Dismiss Dispensar - + Don't recover this file right now Não recuperar este ficheiro agora - + Dismiss all from this box Dispensar tudo dessa caixa - + Disable quick recovery until the box restarts Desactivar recuperação rápida até que a caixa reinicie - + Select Directory Seleccione Pasta @@ -2877,37 +2942,42 @@ Localização completo: %4 - + Select Directory Seleccionar Pasta - + + No Files selected! + + + + Do you really want to delete %1 selected files? Você realmente deseja apagar %1 ficheiros selecionados? - + Close until all programs stop in this box Feche até que todos os programas parem nesta caixa - + Close and Disable Immediate Recovery for this box Fechar e Desactivar a Recuperação Imediata para esta caixa - + There are %1 new files available to recover. Existem %1 novos ficheiros disponíveis para recuperar. - + Recovering File(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Existem %1 ficheiros e %2 pastas na caixa de areia, ocupando %3 de espaço em disco. @@ -3063,17 +3133,17 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 A aguar pela pasta: %1 - + Deleting folder: %1 A apagar pasta: %1 - + Merging folders: %1 &gt;&gt; %2 A fundir pastas: %1 &gt;&gt; %2 @@ -3082,7 +3152,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, A fundir pastas: %1 >> %2 - + Finishing Snapshot Merge... A fundir Instantâneo Finalizada... @@ -3090,7 +3160,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled Desativado @@ -3103,32 +3173,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, NÃO SEGURO (configurar depuração) - + OPEN Root Access ABRIR Acesso Raiz - + Application Compartment Compartimento de Aplicação - + NOT SECURE NÃO SEGURO - + Reduced Isolation Isolamento Reduzido - + Enhanced Isolation Isolamento Aprimorado - + Privacy Enhanced Privacidade Aprimorada @@ -3137,33 +3207,33 @@ Unlike the preview channel, it does not include untested, potentially breaking, Registro de API - + No INet (with Exceptions) Sem INet (com Exceções) - + No INet Sem Internet - + Net Share Kept original for lack of good German wording Compartilhar Rede - + No Admin Sem Administrador - + Auto Delete Auto apagar - + Normal Normal @@ -3225,69 +3295,69 @@ Please check if there is an update for sandboxie. - + The selected feature requires an <b>advanced</b> supporter certificate. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! - + The Certificate is not suitable for this product. - + The Certificate is node locked. - + The support certificate is not valid. Error: %1 - - + + Don't ask in future Não perguntar no futuro - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - + Reset Columns Repor Colunas - + Copy Cell Copiar Célula - + Copy Row Copiar Linha - + Copy Panel Copiar Painel @@ -3582,7 +3652,7 @@ Error: %1 - + About Sandboxie-Plus Acerca do Sandboxie-Plus @@ -3842,27 +3912,27 @@ Error: %1 - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> @@ -3908,23 +3978,23 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Versão do Sbie+: %1 (%2) - + The supporter certificate is not valid for this build, please get an updated certificate O certificado de suporte não é válido para esta compilação, obtenha um certificado actualizado - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate O certificado de suporte expirou %1, por favor obtenha um certificado actualizado - + , but it remains valid for the current build , mas permanece válido para a compilação actual - + The supporter certificate will expire in %1 days, please get an updated certificate O certificado de suporte irá expirar em %1 dias, obtenha um certificado actualizado @@ -3942,12 +4012,12 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a O programa %1 iniciado na caixa %2 será terminado em 5 minutos, porque a caixa foi configurada para utilizar recursos exclusivamente disponíveis para projetos suportados.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Torne-se um defensor do projeto</a>, e receba um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a> - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> O conjunto de recursos selecionado só está disponível para apoiadores do projetar. Os processos iniciados em uma caixa com este conjunto de recursos são ativados sem um certificado de suporte serão rescindidos após 5 minutos.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Tornar-se um apoiador do projeto</a>, e receba um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a> - + The evaluation period has expired!!! The evaluation periode has expired!!! O período de avaliação expirou!!! @@ -3970,47 +4040,47 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Importando: %1 - + Please enter the duration, in seconds, for disabling Forced Programs rules. Introduza a duração, em segundos, para desactivar as regras de Programas Forçados. - + No Recovery Sem recuperação - + No Messages Sem mensagens - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>ERRO:</b> O Sandboxie-Plus Manager (SandMan.exe) não possui uma assinatura válida (SandMan.exe.sig). Faça o download de uma versão confiável da <a href="https://sandboxie-plus.com/go.php?to=sbie-get">página de download oficial</a>. - + Maintenance operation failed (%1) Falha na operação de manutenção (%1) - + Maintenance operation completed Operação de manutenção concluída - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Na Interface Plus, esta funcionalidade foi integrada à vista principal da lista do sandbox. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Usando o menu de contexto de caixa/grupo, você pode mover caixas e grupos para outros grupos. Você também pode utilizar arrastar e soltar para mover os itens. Como alternativa, você também pode utilizar as teclas de seta enquanto mantém ALT pressionada para mover itens para cima e para baixo dentro de seu grupo.<br />Poderá criar novas caixas e grupos no menu do Sandbox. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4019,129 +4089,129 @@ This file is part of Sandboxie and all changed done to it will be reverted next Este ficheiro faz parte do Sandboxie e todas as alterações feitas nele serão revertidas na próxima vez que o Sandboxie for atualizado. - + Sandboxie config has been reloaded A definição do Sandboxie foi recarregada - + Error Status: 0x%1 (%2) Estado do Erro: 0x%1 (%2) - + Unknown Desconhecido - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. - + Failed to move box image '%1' to '%2' - + Failed to copy box data files Falha ao copiar os ficheiros de dados da caixa - + Failed to remove old box data files Falha ao remover ficheiros de dados de caixa antigas - + The operation was canceled by the user A operação foi cancelada pelo utilizador - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded Importação/Exportação não disponível, 7z.dll não pôde ser carregada - + Failed to create the box archive Falha ao criar o ficheiro da caixa - + Failed to open the 7z archive Falha ao abrir o ficheiro 7z - + Failed to unpack the box archive Falha ao descompactar o ficheiro da caixa - + The selected 7z file is NOT a box archive O ficheiro 7z selecionado NÃO é um ficheiro de caixa - + Unknown Error Status: 0x%1 Estado do Erro Desconhecido: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - + Sandboxed - + Unsandboxed - + Case Sensitive Maiúsculas e minúsculas - + RegExp - + Highlight Realçar - + Close Fechar - + &Find ... &Localizar ... - + All columns Todas as colunas @@ -4180,9 +4250,9 @@ Você quer fazer a limpeza? - - - + + + Don't show this message again. Não mostrar esta mensagem novamente. @@ -4207,19 +4277,19 @@ Você quer fazer a limpeza? A apagar automaticamente o conteúdo %1 - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Erro - + Failed to stop all Sandboxie components Falha ao parar todos os componentes do Sandboxie - + Failed to start required Sandboxie components Falha ao iniciar os componentes exigidos do Sandboxie @@ -4372,48 +4442,48 @@ Não vou definir: %2 - NÃO conectado - + Failed to configure hotkey %1, error: %2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. O programa %1 iniciado na caixa %2 será encerrado em 5 minutos porque a caixa foi configurada para utilizar recursos disponíveis exclusivamente para apoiadores do projeto. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. A caixa %1 está configurada para utilizar recursos disponíveis exclusivamente para apoiadores do projeto, essas predefinições serão ignoradas. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Torne-se um apoiador do projeto</a>, e receba um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de apoiador</a> @@ -4481,22 +4551,22 @@ Não vou definir: %2 - + Only Administrators can change the config. Apenas administradores podem mudar a definição. - + Please enter the configuration password. Por favor, introduza a palavra-passe de definição. - + Login Failed: %1 Falha no Login: %1 - + Do you want to terminate all processes in all sandboxes? Você deseja encerrar todos os processos em todas as caixas? @@ -4509,32 +4579,32 @@ Não vou definir: %2 Introduza a duração para desactivar programas forçados. - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus foi iniciado no modo portable é preciso construir os serviços necessários. Isso solicitará privilégios administrativos. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. CUIDADO: Outro agente (provavelmente SbieCtrl.exe) já está a gerir esta sessão do sandboxie, por favor, feche-o primeiro e reconecte para assumir o controlo. - + Executing maintenance operation, please wait... A executar operação de manutenção, por favor aguarde... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Você também deseja repor as caixas de mensagens ocultas (sim) ou apenas todas as mensagens de registro (não)? - + The changes will be applied automatically whenever the file gets saved. As alterações serão aplicadas automaticamente sempre que o ficheiro for salvo. - + The changes will be applied automatically as soon as the editor is closed. As alterações serão aplicadas automaticamente assim que o editor for fechado. @@ -4543,82 +4613,82 @@ Não vou definir: %2 Estado do Erro: %1 - + Administrator rights are required for this operation. Direitos de administrador são necessários para esta operação. - + Failed to execute: %1 Falha ao rodar: %1 - + Failed to connect to the driver Falha ao se conectar com o controlador - + Failed to communicate with Sandboxie Service: %1 Falha ao se comunicar com o serviço Sandboxie: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Um Sandboxie %1 incompatível foi encontrado. Versões compatíveis: %2 - + Can't find Sandboxie installation path. Não é possível encontrar o localização de instalação do Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Falha ao copiar a definição do sandbox %1: %2 - + A sandbox of the name %1 already exists Uma caixa de areia com o nome %1 já existe - + Failed to delete sandbox %1: %2 Falha ao apagar sandbox %1: %2 - + The sandbox name can not be longer than 32 characters. O nome da caixa de área não pode ter mais de 32 caracteres. - + The sandbox name can not be a device name. O nome da caixa de areia não pode ser um nome de dispositivo. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. O nome da caixa de areia pode conter apenas letras, números e sublinhados que são exibidos como espaços. - + Failed to terminate all processes Falha ao terminar todos os processos - + Delete protection is enabled for the sandbox A proteção ao apagar está ativada para a caixa de areia - + All sandbox processes must be stopped before the box content can be deleted Todos os processos do sandbox devem ser interrompidos antes que o conteúdo da caixa possa ser excluído - + Error deleting sandbox folder: %1 Erro ao apagar a pasta da caixa de areia: %1 @@ -4627,42 +4697,42 @@ Não vou definir: %2 Uma caixa de areia deve ser esvaziada antes de ser renomeada. - + A sandbox must be emptied before it can be deleted. Uma caixa de areia deve ser esvaziada antes de ser eliminada. - + Failed to move directory '%1' to '%2' Falha ao mover pasta '%1' para '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Esta operação de instantâneo não pode ser executada enquanto os processos ainda estiverem em execução na caixa. - + Failed to create directory for new snapshot Falha ao construir pasta para novo instantâneo - + Snapshot not found Instantâneo não encontrado - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Erro ao fundir os diretórios de instantâneo '%1' com '%2', o instantâneo não foi totalmente mesclado. - + Failed to remove old snapshot directory '%1' Falha ao remover pasta de instantâneo antigo '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Não é possível remover instantâneos compartilhado por vários instantâneos posteriores @@ -4671,27 +4741,27 @@ Não vou definir: %2 Falha ao remover RegHive antigo - + You are not authorized to update configuration in section '%1' Você não está concedido a atualizar a definição na seção '%1' - + Failed to set configuration setting %1 in section %2: %3 Falha ao definir a definição de definição %1 na seção %2: %3 - + Can not create snapshot of an empty sandbox Não é possível construir instantâneo de uma caixa de areia vazia - + A sandbox with that name already exists Uma caixa de areia com este nome já existe - + The config password must not be longer than 64 characters A palavra-passe de definição não deve ter mais de 64 caracteres @@ -4700,7 +4770,7 @@ Não vou definir: %2 Estado de erro desconhecido: %1 - + Operation failed for %1 item(s). A operação falhou para %1 item(ns). @@ -4709,7 +4779,7 @@ Não vou definir: %2 Deseja abrir %1 num Navegador web na caixa de areia (sim) ou fora da caixa de areia (não)? - + Remember choice for later. Lembrar escolha mais tarde. @@ -5055,38 +5125,38 @@ Não vou definir: %2 CSbieTemplatesEx - + Failed to initialize COM - + Failed to create update session - + Failed to create update searcher - + Failed to set search options - + Failed to enumerate installed Windows updates Failed to search for updates - + Failed to retrieve update list from search result - + Failed to get update count @@ -5094,8 +5164,8 @@ Não vou definir: %2 CSbieView - - + + Create New Box Construir Nova Caixa @@ -5104,35 +5174,35 @@ Não vou definir: %2 Adicionar Grupo - + Remove Group Remover Grupo - - + + Stop Operations Parar operações - - + + Run Rodar - + Run Program Rodar Programa - + Run from Start Menu Rodar do Menu Iniciar - - + + (Host) Start Menu (Host) Menu Iniciar @@ -5141,17 +5211,17 @@ Não vou definir: %2 Mais Ferramentas - + Default Web Browser Navegador Web predefinido - + Default eMail Client Cliente de E-Mail predefinido - + Command Prompt Prompt de Comando @@ -5160,32 +5230,32 @@ Não vou definir: %2 Ferramentas de Caixa - + Command Prompt (as Admin) Prompt de Comando (como Admin) - + Command Prompt (32-bit) Prompt de Comando (32-bit) - + Windows Explorer - + Registry Editor Editor do Registro - + Programs and Features Programas e Recursos - + Execute Autorun Entries Rodar Entradas Autorun @@ -5194,162 +5264,162 @@ Não vou definir: %2 Terminal (como Admin) - + Terminate All Programs Encerrar Todos os Programas - - - - - + + + + + Create Shortcut Create Desktop Shortcut Construir Atalho - - + + Explore Content Explorar Conteúdo - + Disable Force Rules Desactivar Regras Forçadas - + Export Box Exportar Caixa - - + + Move Sandbox Mover Caixa - + Browse Content Navegador de Conteúdo - - + + Create Box Group Construir Grupo de Caixa - + Rename Group Mudar nome Grupo - + Box Content Conteúdo da Caixa - + Open Registry Editor do Registro - - + + Refresh Info Atualizar Info - - + + Snapshots Manager Gerir Instantâneos - + Recover Files Recuperar Ficheiros - + Browse Files Procurar Ficheiros - + Standard Applications Aplicação Padrão - - + + Mount Box Image - - + + Unmount Box Image - - + + Delete Content Apagar Conteúdo - + Sandbox Presets Predefinições da Caixa - + Ask for UAC Elevation Solicitar Elevação UAC - + Drop Admin Rights Liberar Direitos de Administrador - + Emulate Admin Rights Emular Direitos de Administrador - + Block Internet Access Bloquear Acesso à Internet - + Allow Network Shares Permitir Compartilhamentos de Rede - + Sandbox Options Opções da Caixa - - + + Sandbox Tools Ferramentas da Caixa - + Duplicate Box Config Duplicar Definição de Caixa - - + + Rename Sandbox Mudar Nome Caixa @@ -5358,56 +5428,56 @@ Não vou definir: %2 Mover para o Grupo - - + + Remove Sandbox Remover Caixa - - + + Terminate Encerrar - + Preset Predefinição - - + + Pin to Run Menu Fixar no Menu Rodar - - + + Import Box Importar Caixa - + Block and Terminate Bloquear e Encerrar - + Allow internet access Permitir acesso à internet - + Force into this sandbox Força nesta caixa de areia - + Set Linger Process Definir Processo Permanênte - + Set Leader Process Definir Processo do Líder @@ -5416,101 +5486,101 @@ Não vou definir: %2 Roda na Caixa de Areia - + Run Web Browser Rodar Navegador Web - + Run eMail Reader Rodar Leitor de Email - + Run Any Program Rodar Qualquer Programa - + Run From Start Menu Rodar do Menu Iniciar - + Run Windows Explorer Rodar Windows Explorer - + Terminate Programs Encerrar Programas - + Quick Recover Recuperação Rápida - + Sandbox Settings Definições do Sandbox - + Duplicate Sandbox Config Duplicar Definição da Caixa - + Export Sandbox Exportar Caixa - + Move Group Mover Grupo - + File root: %1 Pasta de ficheiro: %1 - + Registry root: %1 Pasta de registro: %1 - + IPC root: %1 Pasta do IPC: %1 - + Disk root: %1 - + Options: Opções: - + [None] [Nenhum] - + Please enter a new name for the Group. Por favor, introduza um novo nome para o grupo. @@ -5519,93 +5589,91 @@ Não vou definir: %2 Este nome do grupo já está em uso. - + Move entries by (negative values move up, positive values move down): Mover entradas por (valores negativos sobem, valores positivos descem): - + Please enter a new group name Por favor introduza um novo nome de grupo - + The Sandbox name and Box Group name cannot use the ',()' symbol. O nome do Sandbox e o nome do Grupo de Caixa não podem utilizar o símbolo ',()'. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. ADVERTÊNCIA: O editor de registro aberto não está em sandbox, tenha cuidado e faça alterações apenas nos locais de sandbox pré-selecionados. - + Don't show this warning in future Não mostrar este aviso no futuro - + Please enter a new name for the duplicated Sandbox. Por favor, introduza um novo nome para a Caixa de Areia duplicada. - + %1 Copy %1 Copia - - + + Select file name Seleccione o nome do ficheiro - - 7-zip Archive (*.7z) - Ficheiro 7-zip (*.7z) + Ficheiro 7-zip (*.7z) - + Exporting: %1 Exportando: %1 - - + + Also delete all Snapshots Apagar também todos os Instantâneos - + Do you really want to delete the content of all selected sandboxes? Deseja realmente apagar o conteúdo de todas as caixas selecionadas? - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. O menu Iniciar do Sandboxie agora será exibido. Seleccione uma aplicação no menu e o Sandboxie criará um novo ícone de atalho em sua área de trabalho real, que você pode utilizar para invocar a aplicação seleccionada sob a supervisão do Sandboxie. - + Do you want to terminate %1? Do you want to %1 %2? Pretende terminar %1? - + the selected processes os processos selecionados - + Do you really want to remove the selected group(s)? Do you really want remove the selected group(s)? Tem certeza de que deseja remover o(s) grupo(s) selecionado(s)? - + Immediate Recovery Recuperação Imediata @@ -5618,115 +5686,110 @@ Não vou definir: %2 Mover Caixa/Grupo - - + + Move Up Mover para Cima - - + + Move Down Mover para Baixo - + Suspend - + Resume - + A group can not be its own parent. Um grupo não pode ser seu próprio pai. - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - This name is already in use, please select an alternative box name - Este nome já está em uso, seleccione um nome de caixa alternativo + Este nome já está em uso, seleccione um nome de caixa alternativo - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 Importando: %1 - + This name is already used for a Box Group. Este nome já é usado para um Grupo de Caixa. - + This name is already used for a Sandbox. Este nome já é usado para um Sandbox. - - - + + + Don't show this message again. Não mostrar esta mensagem novamente. - - - + + + This Sandbox is empty. Esta caixa está vazia. - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + + Please enter a new name for the Sandbox. Introduza um novo nome para caixa de areia. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? Você realmente deseja remover a(s) caixa(s) de areia?<br /><br />Aviso: O conteúdo da caixa também será excluído! - + This Sandbox is already empty. Esta Caixa de Areia já está vazia. - - + + Do you want to delete the content of the selected sandbox? Deseja apagar o conteúdo da caixa de areia selecionada? @@ -5735,19 +5798,19 @@ Não vou definir: %2 Tem certeza que deseja apagar o conteúdo de várias caixas de areia? - + Do you want to terminate all processes in the selected sandbox(es)? Você deseja encerrar todos os processos na(s) caixa(s) selecionada(s)? - - + + Terminate without asking Encerrar sem perguntar - - + + Create Shortcut to sandbox %1 Construir Atalho para a Caixa %1 @@ -5757,12 +5820,12 @@ Não vou definir: %2 Deseja %1 o(s) processo(s) selecionado(s)? - + This box does not have Internet restrictions in place, do you want to enable them? Esta caixa não possui restrições à Internet. Deseja ativá-las? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Esta caixa está desativada, deseja ativá-la? @@ -5807,7 +5870,7 @@ Não vou definir: %2 CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - Definições Globais @@ -5821,352 +5884,352 @@ Não vou definir: %2 Proteção de Definição - + Auto Detection Detecção Automática - + No Translation Sem Tradução - - + + Don't integrate links Não integrar links - - + + As sub group Como subgrupo - - + + Fully integrate Integração total - + Don't show any icon Don't integrate links Não mostrar nenhum ícone - + Show Plus icon Mostrar ícone Plus - + Show Classic icon Mostrar ícone Clássico - + All Boxes Todas as caixas - + Active + Pinned Ativa + Fixada - + Pinned Only Fixada apenas - + Close to Tray Fechar para Bandeja - + Prompt before Close Avisar antes de fechar - + Close Fechar - + None Nenhuma - + Native Nativa - + Qt - + %1 %1 % - + HwId: %1 - + Search for settings Pesquisar por definições - - - + + + Run &Sandboxed Rodar na &Caixa de Areia - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + Expires in: %1 days Expires: %1 Days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Desativado - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Home - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Sandboxed Web Browser Navegador Web na Caixa de Areia - - + + Notify Notificar - + Ignore Ignorar - + Every Day - + Every Week - + Every 2 Weeks - + Every 30 days - - + + Download & Notify Descarregar & Notificar - - + + Download & Install Descarregar & Instalar - + Browse for Program Procurar pelo programa - + Add %1 Template Adicionar %1 Modelo - + Select font - + Seleccionar fonte - + Reset font - + Redefinir fonte - + %0, %1 pt - + Please enter message Por favor, introduza a mensagem - + Select Program Seleccionar Programa - + Executables (*.exe *.cmd) Executáveis (*.exe *.cmd) - - + + Please enter a menu title Por favor introduza o título do menu - + Please enter a command Por favor, digite um comando - + kilobytes (%1) Kilobytes (%1) - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. @@ -6175,112 +6238,112 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Este certificado de apoiador expirou, por favor <a href="sbie://update/cert">obtenha um certificado actualizado</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Os recursos do Plus serão desativados em %1 dias.</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Expired: %1 days ago - + Contributor - + Eternal - + Business - + Personal - + Great Patreon - + Patreon - + Family - + Evaluation - + Type %1 - + Advanced - + Advanced (L) - + Max Level - + Level %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. - + This certificate has unfortunately expired, you need to get a new certificate. @@ -6289,7 +6352,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.<br /><font color='red'>Para esta compilação, os recursos Plus permanecem ativados.</font> - + <br />Plus features are no longer enabled. <br />Os recursos Plus não estão mais ativados. @@ -6303,22 +6366,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Certificado de apoiador necessário - + Run &Un-Sandboxed Rodar &Fora da Caixa de Areia - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Isso não parece um certificado. Introduza o certificado inteiro, não apenas uma parte dele. @@ -6331,7 +6394,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Infelizmente, este certificado está desatualizado. - + Thank you for supporting the development of Sandboxie-Plus. Obrigado por apoiar o desenvolvimento do Sandboxie-Plus. @@ -6340,89 +6403,89 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Este certificado de suporte não é válido. - + Update Available - + Installed - + by %1 - + (info website) - + This Add-on is mandatory and can not be removed. - - + + Select Directory Seleccionar Pasta - + <a href="check">Check Now</a> <a href="check">Verificar Agora</a> - + Please enter the new configuration password. Por favor, introduza a nova palavra-passe de definição. - + Please re-enter the new configuration password. Please re enter the new configuration password. Introduza novamente a nova palavra-passe de definição. - + Passwords did not match, please retry. As palavras-passe são diferentes, tente novamente. - + Process Processo - + Folder Pasta - + Please enter a program file name Introduza o nome do programa - + Please enter the template identifier Por favor, introduza o identificador de modelo - + Error: %1 Erro: %1 - + Do you really want to delete the selected local template(s)? Você realmente deseja excluir o(s) modelo(s) local(is) selecionado(s)? - + %1 (Current) %1 (Actual) @@ -6663,35 +6726,35 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. - + Save options as new defaults - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) Não exibir a página de resumo no futuro (a menos que opções avançadas tenham sido marcada) - + This Sandbox will be saved to: %1 Essa caixa será salva em: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6700,21 +6763,21 @@ This box's content will be DISCARDED when its closed, and the box will be r O conteúdo desta caixa será DESCARTADO quando ela for fechada, e a caixa será removida. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Esta caixa irá DESCARTAR seu conteúdo quando for fechada, é adequada apenas para dados temporários. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Os processos nesta caixa não poderão acessar a internet ou a rede local, isso garante que todos os dados acessados ​​permaneçam confidenciais. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6723,14 +6786,14 @@ This box will run the MSIServer (*.msi installer service) with a system token, t Esta caixa executará o MSIServer (*.msi installer service) com um token do sistema, isso melhora a compatibilidade, mas reduz o isolamento de segurança. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Os processos nesta caixa pensarão que são executados com privilégios administrativos, sem realmente tê-los, portanto, os instaladores podem ser usados ​​mesmo em uma caixa de segurança reforçada. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6739,7 +6802,7 @@ Processes in this box will be running with a custom process token indicating the Os processos nesta caixa serão executados com um token de processo personalizado indicando a caixa de areia à qual pertencem. - + Failed to create new box: %1 Falha ao criar nova caixa: %1 @@ -6979,7 +7042,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an Testing... - + A Testar... @@ -7395,33 +7458,68 @@ If you are a great patreaon supporter already, sandboxie can check online for an - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + + + + + Import without encryption @@ -7490,47 +7588,48 @@ If you are a great patreaon supporter already, sandboxie can check online for an Indicador de caixa no título: - + Sandboxed window border: Borda de janela da caixa: - + Double click action: Ação de duplo clique: - + Separate user folders Pastas de utilizador separadas - + Box Structure Estrutura da Caixa - + Security Options Opções de Segurança - + Security Hardening Reforço de Segurança - - - - - - + + + + + + + Protect the system from sandboxed processes Proteger o sistema de processos do sandbox - + Elevation restrictions Restrições de elevação @@ -7539,78 +7638,78 @@ If you are a great patreaon supporter already, sandboxie can check online for an Nota de segurança: Aplicação em execução elevado sob a supervisão do Sandboxie, com um token de administrador, têm mais oportunidades para ignorar o isolamento e modificar o sistema fora da caixa de areia. - + Drop rights from Administrators and Power Users groups Retirar direitos de grupos de Administradores e Usuários Avançados - + px Width Largura (px) - + Make applications think they are running elevated (allows to run installers safely) Fazer aplicativos acharem que estão sendo executados elevados (permite rodar instaladores com segurança) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. CUIDADO: Ao rodar sob o administrador incorporado, os processos não podem liberar privilégios administrativos. - + Appearance Aparência - + (Recommended) (Recomendado) - + Show this box in the 'run in box' selection prompt Mostrar esta caixa no diálogo de seleção 'rodar na caixa' - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Nota de segurança: Aplicação em execução elevada sob a supervisão do Sandboxie, com um token de administrador ou sistema, têm mais oportunidades para ignorar o isolamento e modificar o sistema fora da caixa de areia. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Permitir que o MSIServer seja rodado com um token do sistema na caixa de areia e aplique outras exceções, se necessário - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Nota: As isenções do Instalador do MSI não devem ser necessárias, mas se você encontrar problemas para instalar um pacote MSI que você confia, esta opção pode ajudar a instalação completa com êxito. Você também pode tentar desactivar os direitos de administrador. - + File Options Opções de Ficheiro - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Apagar automaticamente o conteúdo quando o último processo da caixa for encerrado - + Copy file size limit: Limitar tamanho de cópia de ficheiro: - + Box Delete options Opções de exclusão de caixa - + Protect this sandbox from deletion or emptying Proteger esta caixa de areia contra exclusão ou esvaziamento @@ -7619,53 +7718,53 @@ If you are a great patreaon supporter already, sandboxie can check online for an Acesso ao disco bruto - - + + File Migration Migração de ficheiro - + Allow elevated sandboxed applications to read the harddrive Permitir que aplicativos na caixa de areia elevadas leiam o disco rígido - + Warn when an application opens a harddrive handle Avisar quando uma aplicação abrir uma alça do disco rígido - + kilobytes Kilobytes - + Issue message 2102 when a file is too large Mensagem de problema 2102 quando o ficheiro for muito grande - + Prompt user for large file migration Perguntar ao utilizador para migrar ficheiros grandes - + Security enhancements Aprimoramentos de Segurança - + Use the original token only for approved NT system calls Utilizar o token original somente para chamadas de sistema NT aprovadas - + Restrict driver/device access to only approved ones Restringir o acesso do driver/dispositivo apenas aos aprovados - + Enable all security enhancements (make security hardened box) Activar todos os aprimoramentos de segurança (tornar a caixa de segurança reforçada) @@ -7678,48 +7777,48 @@ If you are a great patreaon supporter already, sandboxie can check online for an Abrir Credencias de Armazenamento do Windows - + Allow the print spooler to print to files outside the sandbox Permitir que o spooler de impressão imprima ficheiros fora da caixa - + Remove spooler restriction, printers can be installed outside the sandbox Remover a restrição do spooler, as impressoras podem ser instaladas fora da caixa - + Block read access to the clipboard Allow access to Smart Cards Bloquear o acesso de leitura à área de transferência - + Open System Protected Storage Abrir Armazenamento Protegido pelo Sistema - + Block access to the printer spooler Bloquear acesso ao spooler de impressão - + Other restrictions Outras restrições - + Printing restrictions Restrições de impressão - + Network restrictions Restrições de rede - + Block network files and folders, unless specifically opened. Bloquear ficheiros e pastas de rede, a menos que especificamente abertos. @@ -7728,67 +7827,67 @@ If you are a great patreaon supporter already, sandboxie can check online for an Impedir alterações nos parâmetros de rede e firewall - + Run Menu Menu Rodar - + You can configure custom entries for the sandbox run menu. Você pode configurar entradas personalizadas para o menu de execução da caixa de areia. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Nome - + Command Line Linha de Comando - + Add program Adicionar programa - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Remover @@ -7801,13 +7900,13 @@ If you are a great patreaon supporter already, sandboxie can check online for an Aqui você pode especificar programas ou serviços que devem ser iniciados automaticamente na caixa de areia quando ela for ativada - - - - - - - + + + + + + + Type Tipo @@ -7820,21 +7919,21 @@ If you are a great patreaon supporter already, sandboxie can check online for an Adicionar serviço - + Program Groups Grupos de Programas - + Add Group Adicionar Grupo - - - - - + + + + + Add Program Adicionar Programa @@ -7847,62 +7946,62 @@ If you are a great patreaon supporter already, sandboxie can check online for an Programas Forçados - + Force Folder Pasta Forçada - - - + + + Path Localização - + Force Program Programa Forçado - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Mostrar Modelos - + General Configuration Definição geral - + Box Type Preset: Tipo de Caixa Predefinida: - + Box info Informação da caixa - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Mais Tipos de Caixa</b> estão exclusivamente disponíveis para <u>apoiadores do projeto</u>, as caixas Aprimoradas de Privacidade <b><font color='red'>proteja os dados do utilizador do acesso ilícito</font></b> pelos programas na caixa de areia.<br />Se você ainda não é um apoiador, por favor considere <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">apoiar o projeto</a>, para receber um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a>.<br />Você pode testar os outros tipos de caixa criando novas caixas de areia desses tipos, no entanto, os processos nestes serão terminados automaticamente após 5 minutos. @@ -7916,32 +8015,32 @@ If you are a great patreaon supporter already, sandboxie can check online for an Direitos de Administrador - + Open Windows Credentials Store (user mode) Abrir Credencias de Armazenamento do Windows (modo de utilizador) - + Prevent change to network and firewall parameters (user mode) Impedir a alteração de parâmetros de rede e firewall (modo de utilizador) - + Allow to read memory of unsandboxed processes (not recommended) Permitir a leitura de memória de processos sem caixa de areia (não recomendado) - + Issue message 2111 when a process access is denied Emitir mensagem 2111 quando um acesso de processo for negado - + Security Isolation Isolamento de Segurança - + Advanced Security Adcanced Security Segurança Avançada @@ -7951,54 +8050,54 @@ If you are a great patreaon supporter already, sandboxie can check online for an Utilizar login do Sandboxie em vez de um token anônimo (experimental) - + Other isolation Outro Isolamento - + Privilege isolation Isolamento Privilegiado - + Sandboxie token Token do Sandboxie - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. O uso de um token do sandboxie personalizado permite isolar melhor as caixas individuais umas das outras e mostra na coluna do utilizador dos gerenciadores de tarefas o nome da caixa à qual um processo pertence. Algumas soluções de segurança de terceiros podem, no entanto, ter problemas com tokens personalizados. - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Você pode agrupar programas juntos e dar-lhes um nome de grupo. Grupos de programas podem ser usados ​​com algumas das definições em vez de nomes de programas. Grupos definidos para a caixa sobrescrever grupos definidos em modelos. - + Force Programs Programas Forçados - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Programas inseridos aqui, ou iniciados a partir de locais inseridos, serão colocados nesta caixa automaticamente, a menos que seja explicitamente iniciado em outra caixa de areia. - + Breakout Programs Programas Fora - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. Os programas inseridos aqui poderão sair desta caixa de proteção quando forem iniciados. Também é possível capturá-los em outra caixa, por exemplo, para ter seu navegador sempre aberto em uma caixa dedicada. - - + + Stop Behaviour Parar Comportamento @@ -8023,32 +8122,32 @@ If leader processes are defined, all others are treated as lingering processes.< Se os processos líderes forem definidos, todos os outros serão tratados como processos persistentes. - + Start Restrictions Restrições ao Iniciar - + Issue message 1308 when a program fails to start Emitir mensagem 1308 quando um programa não iniciar - + Allow only selected programs to start in this sandbox. * Permitir que apenas programas selecionados sejam iniciados nesta caixa de areia. * - + Prevent selected programs from starting in this sandbox. Impedir que programas selecionados sejam iniciados nesta caixa de areia. - + Allow all programs to start in this sandbox. Permitir que todos os programas comecem nesta caixa de areia. - + * Note: Programs installed to this sandbox won't be able to start at all. * Nota: Programas instalados nesta caixa de areia não serão capazes de iniciar em todas. @@ -8057,12 +8156,12 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Restrições à Internet - + Process Restrictions Restrições de Processo - + Issue message 1307 when a program is denied internet access Emitir mensagem 1307 quando um programa for negado de aceder à internet @@ -8071,27 +8170,27 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Bloquear acesso à internet para todos os programas, exceto aqueles adicionados à lista. - + Prompt user whether to allow an exemption from the blockade. Solicitar ao utilizador se permite uma isenção do bloqueio. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Nota: Os programas instalados nesta caixa de areia não poderão aceder a internet. - - - - - - + + + + + + Access Acesso - + Set network/internet access for unlisted processes: Definir acesso a rede/internet para processos não listados: @@ -8100,71 +8199,71 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Restrições de Rede - + Test Rules, Program: Testar Regras, Programa: - + Port: Porta: - + IP: - + Protocol: Protocolo: - + X - + Add Rule Adicionar Regra - - - - - - - - - - + + + + + + + + + + Program Programa - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Use números de série de volume para unidades, como: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty A estrutura da caixa só pode ser alterada quando a caixa estiver vazia - + Disk/File access Acesso ao Disco/Ficheiro - + Virtualization scheme Esquema de virtualização - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -8173,37 +8272,37 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p 2115: O ficheiro não foi migrado, o ficheiro será aberto como somente leitura - + Issue message 2113/2114/2115 when a file is not fully migrated Emitir mensagem 2113/2114/2115 quando um ficheiro não for totalmente migrado - + Add Pattern Adicionar padrão - + Remove Pattern Remover padrão - + Pattern Padrão - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. O Sandboxie não permite a gravação em ficheiros host, a menos que permitido pelo utilizador. Quando um aplicativo na caixa tentar modificar um ficheiro, o ficheiro inteiro deve ser copiado para o sandbox, para ficheiros grandes, isso pode levar um tempo significativo. O Sandboxie oferece opções para lidar com esses casos, que podem ser configuradas nesta página. - + Using wildcard patterns file specific behavior can be configured in the list below: Usando curingas padrões, o comportamento específico do ficheiro pode ser configurado na lista abaixo: - + When a file cannot be migrated, open it in read-only mode instead Quando um ficheiro não puder ser migrado, abra-o no modo somente leitura @@ -8212,43 +8311,43 @@ Se os processos líderes forem definidos, todos os outros serão tratados como p Ícone - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Vários recursos de isolamento podem interromper a compatibilidade com alguns aplicativos. Se você estiver usando esta caixa de areia <b>NÃO Segura</b> mas para a portabilidade do aplicativo, alterando essas opções, você pode restaurar a compatibilidade sacrificando alguma segurança. - + Access Isolation Isolamento de Acesso - + Image Protection Proteção de Imagem - + Issue message 1305 when a program tries to load a sandboxed dll Emitir mensagem 1305 quando um programa tenta carregar uma dll na caixa de areia - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox Impedir que programas das caixas instalados no host carreguem dll's do sandbox - + Dlls && Extensions - + Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8257,239 +8356,271 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Isso é feito para evitar que processos invasores dentro do sandbox criem uma cópia renomeada de si mesmos e acessem recursos protegidos. Outro vetor de exploração é a injeção de uma biblioteca em um processo autorizado para obter acesso a tudo o que é permitido acessar.Usando a proteção de imagem do host, isso pode ser evitado bloqueando os aplicativos (instalados no host) executados dentro de uma caixa de carregar bibliotecas do próprio sandbox. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. - + Disable forced Process and Folder for this sandbox Desactivar processo e pasta forçados para essa caixa - + Breakout Program Programa Fora - + Breakout Folder Pasta Fora - + Encrypt sandbox content - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Store the sandbox content in a Ram Disk - + Set Password - + Disable Security Isolation - - + + Box Protection - + Protect processes within this box from host processes - + Allow Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Deny Process - + Force protection on mount - + + Allow sandboxed processes to open files protected by EFS + + + + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Job Object - - - + + + unlimited - - + + bytes - + Use a Sandboxie login instead of an anonymous token Utilizar um login do Sandboxie em vez de um token anônimo - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Create a new sandboxed token instead of stripping down the original token - + Drop ConHost.exe Process Integrity Level - + Force Children - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + Lingering Programs Programas Remanescentes - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Os programas remanescentes serão encerrados automaticamente se ainda estiverem em execução após todos os outros processos terem sido encerrados. - + Leader Programs Programas Líderes - + If leader processes are defined, all others are treated as lingering processes. Se os processos líderes forem definidos, todos os outros serão tratados como processos remanescentes. - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Files Ficheiros - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Definir quais processos podem acessar Ficheiros, Pastas e Pipes. 'Aberto' o acesso só se aplica a binários de programas localizados fora da área de areia, você pode utilizar 'Aberto para Todos' em vez disso, para torná-lo aplicável a todos os programas ou mudar este comportamento na aba Políticas. - + Registry Registro - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Definir quais processos podem acessar o Registro. 'Aberto' o acesso só se aplica a binários de programas localizados fora da área restrita, você pode utilizar 'Aberto para Todos' em vez disso, para torná-lo aplicável a todos os programas ou mudar este comportamento na aba Políticas. - + IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Definir quais processos podem acessar objetos NT IPC como portas ALPC e outros processos de memória e contexto. Para especificar um processo, use '$:program.exe' como localização. - + Wnd - + Wnd Class Classe Wnd @@ -8499,73 +8630,73 @@ Para especificar um processo, use '$:program.exe' como localização.< Definir quais processos podem acessar objetos da Área de Trabalho, como Windows e similares. - + COM - + Class Id ID da Classe - + Configure which processes can access COM objects. Definir quais processos podem acessar objetos COM. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Não utilizar COM virtualizado, acesso aberto à infraestrutura COM dos hosts (não recomendado) - + Access Policies Políticas de Acesso - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Aplicar e Fechar...=!<programa>,... regras também para todos os binários localizados na caixa. - + Network Options Opções de Rede - - - - + + + + Action Ação - - + + Port Porta - - - + + + IP - + Protocol Protocolo - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. CUIDADO: A Plataforma de Filtragem do Windows não está ativada com o controlador, portanto, essas regras serão aplicadas apenas no modo de utilizador e não podem ser impostas!!! Isso significa que as aplicações maliciosas podem contorná-las. - + Resource Access Acesso a Recursos @@ -8582,39 +8713,39 @@ O ficheiro 'Aberto' e o acesso de teclas aplica-se apenas aos binário Você pode utilizar 'Abrir para Todos' em vez de fazê-lo aplicar a todos os programas ou mudar este comportamento na Política de abas. - + Add File/Folder Adicionar Ficheiro/Pasta - + Add Wnd Class Adicionar Wnd Class - - + + Move Down Mover para Baixo - + Add IPC Path Adicionar Localização IPC - + Add Reg Key Adicionar Chave de Registro - + Add COM Object Adicionar Objecto COM - - + + Move Up Mover para Cima @@ -8636,84 +8767,84 @@ Para aceder ficheiros, você pode utilizar o 'Direto a Todos' em vez d Aplicar e Fechar...=!<programa>,... diretivas também para todos os binários localizados na caixa de areia. - + File Recovery Recuperação de Ficheiros - + Add Folder Adicionar Pasta - + Ignore Extension Ignorar Extensão - + Ignore Folder Ignorar Pasta - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Activar mensagem de recuperação imediata para poder recuperar ficheiros assim que for criado. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Você pode apagar pastas e tipos de ficheiros (ou extensões de ficheiros) da Recuperação Imediata. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Quando a função Recuperação Rápida for invocada, as seguintes pastas serão verificadas para obter conteúdo da caixa de areia. - + Advanced Options Opções Avançadas - + Miscellaneous Diversos - + Don't alter window class names created by sandboxed programs Não mudar nomes das classes de janelas criadas por programas na caixa de areia - + Do not start sandboxed services using a system token (recommended) Não iniciar serviços no sandbox usando um token de sistema (recomendado) - - - - - - - + + + + + + + Protect the sandbox integrity itself Proteger integridade da própria caixa de areia - + Drop critical privileges from processes running with a SYSTEM token Retirar privilégios críticos de processos em execução com um token SYSTEM - - + + (Security Critical) (Segurança Crítica) - + Protect sandboxed SYSTEM processes from unprivileged processes Proteger os processos do SISTEMA de caixa de areia contra processos desprivilegiados @@ -8722,7 +8853,7 @@ Para aceder ficheiros, você pode utilizar o 'Direto a Todos' em vez d Isolamento da caixa de areia - + Force usage of custom dummy Manifest files (legacy behaviour) Forçar uso de ficheiros de manifesto fictícios personalizados (comportamento legado) @@ -8735,34 +8866,34 @@ Para aceder ficheiros, você pode utilizar o 'Direto a Todos' em vez d Políticas de Acesso a Recursos - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. A especificidade da regra é uma medida de quão bem uma determinada regra corresponde a um localização específico, basta colocar a especificidade é o comprimento dos caracteres desde o início do localização até e incluindo o último substramento não curinga correspondente. Uma regra que corresponde apenas tipos de ficheiros como "*.tmp" teria a maior especificidade, pois sempre corresponderia a todo o localização do ficheiro. O nível de correspondência do processo tem uma prioridade maior do que a especificidade e descreve como uma regra se aplica a um determinado processo. As regras aplicáveis por nome ou grupo do processo têm o nível de correspondência mais forte, seguidas pela correspondência por negação (ou seja, regras aplicáveis a todos os processos, exceto o dado), enquanto os níveis mais baixos de correspondência têm correspondências globais, ou seja, regras que se aplicam a qualquer processo. - + Prioritize rules based on their Specificity and Process Match Level Priorizar regras com base em sua Especificidade e Nível de Correspondência de Processos - + Privacy Mode, block file and registry access to all locations except the generic system ones Modo de Privacidade, bloquear o acesso de ficheiros e registros a todos os locais, exceto os genéricos do sistema - + Access Mode Modo de Acesso - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Quando o Modo de Privacidade estiver ativado, os processos com caixa de areia só poderão ler C:\Windows\*, C:\Program Files\*, e partes do registro HKLM, todos os outros locais precisarão de acesso explícito para serem legíveis e/ou graváveis. Neste modo, a Especificação de Regra está sempre ativada. - + Rule Policies Políticas de Regras @@ -8771,23 +8902,23 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Aplicar Fechar...=!<programa>,... regras também para todos os binários localizados na caixa de areia. - + Apply File and Key Open directives only to binaries located outside the sandbox. Aplicar diretivas Abertas de Ficheiro e Chave apenas para binários localizados fora da caixa de areia. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Iniciar os RPCs na caixa de areia como um processo de SISTEMA (não recomendado) - + Allow only privileged processes to access the Service Control Manager Permitir apenas processos privilegiados para acessar o Gerenciador de Controlo de Serviços - - + + Compatibility Compatibilidade @@ -8796,29 +8927,29 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Acesso aberto à infraestrutura COM (não recomendado) - + Add sandboxed processes to job objects (recommended) Adicionar processos de caixa de areia a objetos de trabalho (recomendado) - + Emulate sandboxed window station for all processes Emular estação de janela da caixa de areia para todos os processos - + Allow use of nested job objects (works on Windows 8 and later) Allow use of nested job objects (experimental, works on Windows 8 and later) Permitir o uso de objetos de trabalho aninhados (experimental, funciona no Windows 8 e posterior) - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Isolamento de segurança através do uso de um token de processo fortemente restrito é o principal meio da Sandboxie de impor restrições de caixa de areia, quando esta é desativada a caixa é operada no modo compartimento de aplicativos, ou seja, não está mais fornecendo segurança confiável, apenas compartimentação simples da aplicação. - + Allow sandboxed programs to manage Hardware/Devices Permitir que programas na caixa de areia gerenciem Hardware/Dispositivos @@ -8827,7 +8958,7 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Permitir o uso de objetos de trabalho aninhados (experimental, funciona no Windows 8 e posterior) - + Isolation Isolamento @@ -8836,22 +8967,22 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Permitir que programas na caixa de areia Gerenciem Hardware/Dispositivos - + Open access to Windows Security Account Manager Abrir acesso ao Gerenciador de Conta de Segurança do Windows - + Open access to Windows Local Security Authority Abrir acesso à Autoridade de Segurança Local do Windows - + Program Control Controlo de Programa - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Desactivar o uso do RpcMgmtSetComTimeout predefinido (isso pode resolver problemas de compatibilidade) @@ -8864,22 +8995,22 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Vários recursos avançados de isolamento podem quebrar a compatibilidade com alguns aplicativos. Se você estiver usando esta caixa de areia <b>Não Seguro</b> mas, para simples portabilidade da aplicação, alterando essas opções, você pode restaurar a compatibilidade sacrificando alguma segurança. - + Security Isolation & Filtering Isolamento de Segurança e Filtragem - + Disable Security Filtering (not recommended) Desactivar Filtragem de Segurança (não recomendada) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Filtragem de segurança usada pela Sandboxie para impor restrições de sistema de ficheiros e registro, bem como restringir o acesso ao processo. - + The below options can be used safely when you don't grant admin rights. As opções abaixo podem ser usadas com segurança quando você não concede direitos administrativos. @@ -8908,32 +9039,32 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Esconder Processo - + Add Process Adicionar Processo - + Hide host processes from processes running in the sandbox. Esconder processos do host de processos em execução na sandbox. - + Don't allow sandboxed processes to see processes running in other boxes Não permitir que processos do sandbox vejam processos em execução de outras caixas - + Users Usuários - + Restrict Resource Access monitor to administrators only Restringir o monitor de acesso a recursos apenas para administradores - + Add User Adicionar Utilizador @@ -8942,7 +9073,7 @@ O nível de correspondência do processo tem uma prioridade maior do que a espec Remover Utilizador - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8951,7 +9082,7 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Nota: As definições de programas e pastas forçadas para uma caixa de areia não se aplicam a contas de usuários que não podem utilizar o sandbox. - + Tracing Rastreamento @@ -8961,22 +9092,22 @@ Nota: As definições de programas e pastas forçadas para uma caixa de areia n Rastreamento de chamada de API (requer logapi instalado na pasta sbie) - + Pipe Trace Rastreamento de Pipe - + Log all SetError's to Trace log (creates a lot of output) Registro SetError's para todas os registro de Rastreamento (cria muitas saídas) - + Log Debug Output to the Trace Log Registrar a saída de depuração no registro de rastreamento - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8999,37 +9130,37 @@ ao invés de "*". Rastreamento Ntdll syscall (cria muita saída) - + File Trace Rastreamento de Ficheiro - + Disable Resource Access Monitor Desactivar Monitor de Acesso ao Recurso - + IPC Trace Rastreamento IPC - + GUI Trace Rastreamento de GUI - + Resource Access Monitor Monitor de Acesso ao Recurso - + Access Tracing Rastrear acesso - + COM Class Trace Rastreamento de Classe COM @@ -9038,221 +9169,221 @@ ao invés de "*". <- para um desses acima não se aplica - + Triggers Gatilhos - + Event Evento - - - - + + + + Run Command Rodar Comando - + Start Service Iniciar Serviço - + These events are executed each time a box is started Esses eventos são executados sempre que uma caixa é iniciada - + On Box Start Ao iniciar uma caixa - - + + These commands are run UNBOXED just before the box content is deleted Esses comandos são executados FORA DA CAIXA logo antes do conteúdo da caixa ser excluído - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + DNS Filter - + Filtro DNS - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Domínio - + Internet Proxy - + Proxy de Internet - + Add Proxy - + Test Proxy - + Testar Proxy - + Auth - + Login - + Password - + Palavra-passe - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Resolve hostnames via proxy - + Restart force process before they begin to execute - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Esses comandos são executados apenas quando uma caixa é inicializada. Para fazê-los funcionar novamente, o conteúdo da caixa deve ser excluído. - + On Box Init Ao criar uma caixa - + Here you can specify actions to be executed automatically on various box events. Aqui você pode especificar acções a serem executadas automaticamente em vários eventos de caixa. - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + API call Trace (traces all SBIE hooks) - + Key Trace Rastreamento de Chave - - + + Network Firewall Firewall de Rede - + Debug Depurar - + WARNING, these options can disable core security guarantees and break sandbox security!!! ADVERTÊNCIA, essas opções podem desactivar as garantias de segurança essenciais e interromper a segurança da sandbox!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Essas opções destinam-se a depurar problemas de compatibilidade, não as use em produção. - + App Templates Modelos de Aplicação @@ -9261,22 +9392,22 @@ ao invés de "*". Modelos de Compatibilidade - + Filter Categories Categorias de Filtro - + Text Filter Filtro de Texto - + Add Template Adicionar Modelo - + This list contains a large amount of sandbox compatibility enhancing templates Esta lista contém uma grande quantidade de modelos de compatibilidade de caixa de areia @@ -9285,17 +9416,17 @@ ao invés de "*". Remover Modelo - + Category Categoria - + Template Folders Pasta de Modelos - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -9304,194 +9435,189 @@ Please note that this values are currently user specific and saved globally for Por favor, note que este valores são atualmente para o utilizador específico e salvo globalmente para todas as caixas. - - + + Value Valor - + Accessibility Acessibilidade - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Para compensar a proteção perdida, consulte a página de definições de Liberar Direitos no grupo de definições de Restrições. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Leitores de eclã: JAWS, NVDA, Window-Eyes, Acesso ao Sistema - + Partially checked means prevent box removal but not content deletion. - + Restrictions Restrições - + Allow useful Windows processes access to protected processes - + Configure which processes can access Desktop objects like Windows and alike. - + Other Options - + Outras Definições - + Port Blocking - + Bloqueio de Porta - + Block common SAMBA ports - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Only Administrator user accounts can make changes to this sandbox - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - + Bypass IPs - + Block DNS, UDP port 53 - + Bloquear DNS, porta UDP 53 - + Quick Recovery Recuperação Rápida - + Immediate Recovery Recuperação Imediata - + Various Options Várias opções - + Apply ElevateCreateProcess Workaround (legacy behaviour) Aplicar ElevateCreateProcess solução alternativa (comportamento herdado) - + Use desktop object workaround for all processes - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Total Processes Memory Limit: - + Single Process Memory Limit: - + On Box Terminate - + This command will be run before the box content will be deleted Este comando será executado antes que o conteúdo da caixa seja excluído - + On File Recovery Ao recuperar ficheiros - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked Este comando será executado antes de um ficheiro ser recuperado e o localização do ficheiro será passado como primeiro argumento. Se este comando retornar algo diferente de 0, a recuperação será bloqueada - + Run File Checker Rodar Verificador de Ficheiros - + On Delete Content Ao apagar conteúdo - + Protect processes in this box from being accessed by specified unsandboxed host processes. Proteger os processos nesta caixa de serem acessados ​​por processos do host fora da caixa de proteção especificados. - - + + Process Processo @@ -9500,88 +9626,88 @@ Por favor, note que este valores são atualmente para o utilizador específico e Bloquear também o acesso de leitura aos processos nesta caixa - + Add Option Adicionar Opção - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. Aqui você pode configurar opções avançadas por processo para melhorar a compatibilidade e/ou personalizar o comportamento do sandbox. - + Option Opção - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + DNS Request Logging - + Registro de Solicitação DNS - + Syscall Trace (creates a lot of output) - + Templates Modelos - + Open Template - + Abrir Modelo - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. As definições a seguir permitem utilizar o sandboxie em combinação com software de acessibilidade. Note que algumas medidas de proteção do sandboxie será perdida quando essas definições estão em vigor. - + Edit ini Section Editar Seção ini - + Edit ini Editar ini - + Cancel Cancelar - + Save Salvar @@ -9597,7 +9723,7 @@ Por favor, note que este valores são atualmente para o utilizador específico e ProgramsDelegate - + Group: %1 Grupo: %1 @@ -9605,7 +9731,7 @@ Por favor, note que este valores são atualmente para o utilizador específico e QObject - + Drive %1 Drive %1 @@ -9613,27 +9739,27 @@ Por favor, note que este valores são atualmente para o utilizador específico e QPlatformTheme - + OK - + Apply Aplicar - + Cancel Cancelar - + &Yes &Sim - + &No &Não @@ -9647,12 +9773,12 @@ Por favor, note que este valores são atualmente para o utilizador específico e Sandboxie Plus - Recuperar - + Delete Apagar - + Close Fechar @@ -9676,7 +9802,7 @@ Por favor, note que este valores são atualmente para o utilizador específico e Adicionar Pasta - + Recover Recuperar @@ -9685,7 +9811,7 @@ Por favor, note que este valores são atualmente para o utilizador específico e Recuperar para... - + Refresh Atualizar @@ -9694,12 +9820,12 @@ Por favor, note que este valores são atualmente para o utilizador específico e Apagar todos - + Show All Files Mostrar Todos os Ficheiros - + TextLabel @@ -9724,7 +9850,7 @@ Por favor, note que este valores são atualmente para o utilizador específico e Run in a new Sandbox - + Rodar em uma nova Caixa @@ -9765,23 +9891,23 @@ Por favor, note que este valores são atualmente para o utilizador específico e Definições Gerais - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Mostrar a primeira janela de recuperação ao esvaziar caixas de areia - + Open urls from this ui sandboxed Abrir urls dessa interface do utilizador na caixa de areia - + Systray options Opções da bandeja do sistema - + Show recoverable files as notifications Mostrar ficheiros recuperáveis ​​como notificações @@ -9791,7 +9917,7 @@ Por favor, note que este valores são atualmente para o utilizador específico e Idioma da interface do utilizador: - + Show Icon in Systray: Mostrar Ícone na Bandeja: @@ -9800,27 +9926,27 @@ Por favor, note que este valores são atualmente para o utilizador específico e Mostrar janela de recuperação imediatamente, ao invez de apenas notificar acerca do ficheiros a recuperar - + Shell Integration Integração com o Shell - + Run Sandboxed - Actions Rodar na Caixa de Areia - Acções - + Start Sandbox Manager Iniciar o Sandbox Manager - + Start UI when a sandboxed process is started Iniciar interface do utilizador quando um processo do sandbox é iniciado - + On main window close: Ao fechar janela principal: @@ -9845,384 +9971,384 @@ Por favor, note que este valores são atualmente para o utilizador específico e Mostrar notificações para registro de mensagens relevantes - + Start UI with Windows Iniciar interface do utilizador com windows - + Add 'Run Sandboxed' to the explorer context menu Adicionar 'Rodar na Caixa de Areia' no menu de contexto do explorer - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Contar e mostrar espaço em disco ocupado por cada caixa - + Hotkey for terminating all boxed processes: Tecla de atalho para terminar todos os processos da caixa: - + Show the Recovery Window as Always on Top Mostrar janela de recuperação como sempre visível - + Always use DefaultBox Sempre utilizar DefaultBox - + Use Compact Box List Utilizar lista de caixas compactas - + Interface Config Definição da Interface - + Make Box Icons match the Border Color Fazer com que os ícones da caixa correspondam à cor da borda - + Use a Page Tree in the Box Options instead of Nested Tabs * Utilizar uma árvore de páginas nas opções da caixa em vez de abas aninhadas * - - + + Interface Options Opções de Interface - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Mostrar plano de fundo de "Pizza" na lista de caixas * - + Use large icons in box list * Utilizar ícones grandes na lista de caixas * - + High DPI Scaling Escala de DPI alto - + Don't show icons in menus * Não mostrar ícones nos menus * - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - + Use Dark Theme Utilizar tema Escuro - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list - + Ocultar os próprios processos do Sandboxie da lista de tarefas - + Ini Editor Font - + Fonte do Editor Ini - + Font Scaling Escala da fonte - + Select font - + Seleccionar fonte - + Reset font - + Redefinir fonte - + (Restart required) (É necessário reiniciar) - + # - + Ini Options - + Definições Ini - + External Ini Editor - + Terminate all boxed processes when Sandman exits - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + Add-Ons Manager - + Optional Add-Ons - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - + Status Estado - + Version - + Description - + <a href="sbie://addons">update add-on list now</a> - + Install - + Add-On Configuration - + Enable Ram Disk creation - + kilobytes Kilobytes - + Assign drive letter to Ram Disk - + Disk Image Support - + RAM Limit - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Hotkey for bringing sandman to the top: - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Integrate with Host Desktop - + System Tray - + Bandeja do Sistema - + Open/Close from/to tray with a single click - + Minimize to tray - + Minimizar para bandeja - + Hide SandMan windows from screen capture (UI restart required) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + * entra em vigor na criação do disco - + Sandboxie Support - + Suporte do Sandboxie - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Get - + Obter - + Retrieve/Upgrade/Renew certificate using Serial Number - + SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + HwId: 00000000-0000-0000-0000-000000000000 - + Sandboxie Updater - + Actualizador do Sandboxie - + Keep add-on list up to date - + Update Settings - + Definições de Actualização - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. - + Search in the Insider channel - + New full installers from the selected release channel. - + Full Upgrades - + Actualizações Completas - + Check periodically for new Sandboxie-Plus versions - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> - + Keep Troubleshooting scripts up to date - + Update Check Interval - + Intervalo de Verificação de Actualização - + Advanced Config Definição Avançada @@ -10231,12 +10357,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Utilizar Plataforma de Filtragem do Windows para restringir o acesso à rede (experimental)* - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: <a href="sbie://docs/filerootpath">Pasta dos ficheiros</a> do Sandbox: - + Clear password when main window becomes hidden Limpar palavra-passe quando a janela principal ficar oculta @@ -10245,7 +10371,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Pastas de utilizador separadas - + Run box operations asynchronously whenever possible (like content deletion) Rodar operações de caixa de forma assíncrona sempre que possível (como exclusão de conteúdo) @@ -10255,62 +10381,62 @@ Unlike the preview channel, it does not include untested, potentially breaking, Opções Gerais - + Show boxes in tray list: Mostrar lista de caixas na bandeja: - + Add 'Run Un-Sandboxed' to the context menu Adicionar 'Rodar Fora da Caixa de Areia' ao menu de contexto - + Show a tray notification when automatic box operations are started Mostrar notificação na bandeja quando as operações automáticas da caixa são iniciadas - + Use Windows Filtering Platform to restrict network access Utilizar Plataforma de Filtragem do Windows para restringir o acesso à rede - + Activate Kernel Mode Object Filtering Activar filtragem de objetos no Modo Kernel - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: <a href="sbie://docs/ipcrootpath">Pasta do ipc</a> do Sandbox : - + Sandbox default Sandbox predefinido - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * uma caixa de seleção parcialmente marcada deixará o comportamento a ser determinado pelo modo de vista. - + % - + Alternate row background in lists Fundo de linha alternado em listas - + Use Fusion Theme Utilizar tema Fusão - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Gancho selecionando chamadas do sistema Win32k para permitir a aceleração da GPU (experimental) @@ -10319,22 +10445,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Utilizar login do Sandboxie em vez de um token anônimo (experimental) - + Config protection Proteger definição - + ... - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: <a href="sbie://docs/keyrootpath">Pasta de registro</a> do Sandbox: - + Sandboxing features Recursos do Sandboxie @@ -10347,22 +10473,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Utilizar a Plataforma de Filtragem do Windows para restringir o acesso à rede (experimental) - + Change Password Mudar Palavra-passe - + Password must be entered in order to make changes Uma palavra-passe deve ser inserida para fazer alterações - + Only Administrator user accounts can make changes Apenas contas de usuários Administradores podem fazer alterações - + Watch Sandboxie.ini for changes Observar alterações em Sandboxie.ini @@ -10376,7 +10502,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Outras definições - + Portable root folder Pasta raíz portable @@ -10385,61 +10511,61 @@ Unlike the preview channel, it does not include untested, potentially breaking, * requer recarregar controlador ou reinicialização do sistema - + Program Control Controlo de Programa - - - - - + + + + + Name Nome - + Use a Sandboxie login instead of an anonymous token Utilizar um login do Sandboxie em vez de um token anônimo - + Path Localização - + Remove Program Remover Programa - + Add Program Adicionar Programa - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Quando um dos programas a seguir for iniciado fora de qualquer caixa, o Sandboxie emitirá a mensagem SBIE1301. - + Add Folder Adicionar Pasta - + Prevent the listed programs from starting on this system Evitar que os programas listados sejam iniciados neste sistema - + Issue message 1308 when a program fails to start Emitir mensagem 1308 quando um programa falha ao iniciar - + Recovery Options Opções de Recuperação @@ -10449,42 +10575,42 @@ Unlike the preview channel, it does not include untested, potentially breaking, Opções do SandMan - + Notifications Notificações - + Add Entry Adicionar Entrada - + Show file migration progress when copying large files into a sandbox Mostrar progresso de migração de ficheiros ao copiar ficheiros grandes para o sandbox - + Message ID ID da Mensagem - + Message Text (optional) Texto da Mensagem (opcional) - + SBIE Messages Mensagens do SBIE - + Delete Entry Excluir Entrada - + Notification Options Opções de Notificação @@ -10499,22 +10625,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Desactivar pop-ups de mensagens SBIE (elas ainda serão registradas na aba Mensagens) - + Windows Shell Shell do Windows - + Start Menu Integration Integração do Menu Iniciar - + Scan shell folders and offer links in run menu Verificar as pastas do shell e ofereça links no menu de execução - + Integrate with Host Start Menu Integrar com o Menu Iniciar do host @@ -10523,155 +10649,165 @@ Unlike the preview channel, it does not include untested, potentially breaking, Ícone - + Move Up Mover para Cima - + Move Down Mover para Baixo - + Use new config dialog layout * Utilizar novo layout da caixa de diálogo de definição * - + Show overlay icons for boxes and processes Mostrar ícones de sobreposição para caixas e processos - + Graphic Options Opções Gráficas - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Os apoiadores do projeto Sandboxie-Plus podem receber um <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">certificado de suporte</a>. É como uma chave de licença, mas para pessoas incríveis que usam software de código aberto. :-) - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Manter o Sandboxie atualizado com as versões contínuas do Windows e compatível com todos os navegadores Web é um esforço sem fim. Você pode apoiar o desenvolvimento <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute"> contribuindo diretamente com o projeto</a>, mostrando seu apoio <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">comprando um certificado de apoiador</a>, tornando-se um patrono <a href="https://sandboxie-plus.com/go.php?to=patreon">se inscrevendo no Patreon</a>, ou através de uma <a href="https://sandboxie-plus.com/go.php?to=donate">doação PayPal</a>.<br />Seu apoio desempenha um papel vital no avanço e manutenção do Sandboxie. - + Cert Info - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) + Adicionar o grupo "Sandboxie\Todas as Caixas" ao token do sandbox (experimental) + + + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. - + + Restrict box root folder access to the the user whom created that sandbox + + + + Sandboxie.ini Presets Predefinições Sandboxie.ini - + Always run SandMan UI as Admin - + Program Alerts Alertas do Programa - + Issue message 1301 when forced processes has been disabled Emitir mensagem 1301 quando os processos forçados forem desativados - + USB Drive Sandboxing - + Volume - + Information - + Informação - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + App Templates Modelos de Aplicação - + App Compatibility Compatibilidade de Aplicação - + Sandboxie Config Config Protection Proteção de Definição - + This option also enables asynchronous operation when needed and suspends updates. Esta opção também permite a operação assíncrona quando necessário e suspende as actualizações. - + Suppress pop-up notifications when in game / presentation mode Suprimir notificações pop-up no modo jogo / apresentação - + User Interface Interface do Utilizador - + Run Menu Menu Rodar - + Add program Adicionar programa - + You can configure custom entries for all sandboxes run menus. Você pode configurar entradas personalizadas para todos os menus de execução das caixas. - - - + + + Remove Remover - + Command Line Linha de Comando - + Support && Updates Suporte && Actualizações @@ -10680,12 +10816,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Definição da Caixa de Areia - + Default sandbox: Caixa predefinida: - + Only Administrator user accounts can use Pause Forcing Programs command Somente contas de usuários administradores podem utilizar o comando Pausar Programas Forçados @@ -10694,67 +10830,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, Compatibilidade - + In the future, don't check software compatibility No futuro, não verificar a compatibilidade de software - + Enable Activar - + Disable Desactivar - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie detectou os seguintes aplicativos em seu sistema. Clique em Activar para aplicar as definições, o que aumentará a compatibilidade com esses aplicativos. Essas definições terão efeito em todas as caixas de areia existentes e em todas as novas caixas de areia. - + Local Templates Modelos Locais - + Add Template Adicionar Modelo - + Text Filter - Filtro de Texto + Filtro de Texto - + This list contains user created custom templates for sandbox options Essa lista contém modelos personalizados criados pelo utilizador para opções do sandbox - + Open Template - + Abrir Modelo - + Edit ini Section Editar Seção ini - + Save Salvar - + Edit ini Editar ini - + Cancel Cancelar @@ -10763,7 +10899,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Suporte - + Incremental Updates Version Updates Actualizações de Versão @@ -10773,7 +10909,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Novas versões completas do canal de lançamento selecionado. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Hotpatches para a versão instalada, actualizações para o Templates.ini e traduções. @@ -10782,7 +10918,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Este certificado de apoiador expirou, por favor <a href="sbie://update/cert">obtenha um certificado actualizado</a>. - + The preview channel contains the latest GitHub pre-releases. O canal preview contém os últimos pré-lançamentos do GitHub. @@ -10791,12 +10927,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Novas versões - + The stable channel contains the latest stable GitHub releases. O canal estável contém os últimos lançamentos estáveis ​​do GitHub. - + Search in the Stable channel Pesquisar no canal Estável @@ -10805,7 +10941,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Manter o Sandboxie actualizado com as versões contínuas do Windows e compatível com todos os navegadores da Web é um esforço sem fim. Por favor, considere apoiar este trabalho com uma doação.<br />Você pode apoiar o desenvolvimento com uma <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Doação no PayPal</a>, trabalhando também com cartões de crédito.<br />Ou você pode fornecer suporte contínuo com uma <a href="https://sandboxie-plus.com/go.php?to=patreon">Assinatura do Patreon</a>. - + Search in the Preview channel Pesquisar no canal Preview @@ -10818,12 +10954,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Manter o Sandboxie actualizado com as versões mais recentes do Windows e compatibilidade com todos os navegadores web é um esforço interminável. Por favor, considere apoiar este trabalho com uma doação.<br />Você pode apoiar o desenvolvimento com uma <a href="https://sandboxie-plus.com/go.php?to=donate">doação no PayPal</a>, trabalhando também com cartões de crédito.<br />Ou você pode fornecer suporte contínuo com uma <a href="https://sandboxie-plus.com/go.php?to=patreon">assinatura do Patreon</a>. - + In the future, don't notify about certificate expiration No futuro, não notificar acerca a expiração do certificado - + Enter the support certificate here Introduza o certificado de suporte aqui @@ -10875,37 +11011,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, Nome: - + Description: Descrição: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Ao apagar um conteúdo do instantâneo, ele será retornado a este instantâneo em vez de nenhum. - + Default snapshot Instantâneo predefinido - + Snapshot Actions Acções de Instantâneo - + Remove Snapshot Remover Instantâneo - + Go to Snapshot Ir para Instantâneo - + Take Snapshot Obter Instantâneo @@ -10915,17 +11051,17 @@ Unlike the preview channel, it does not include untested, potentially breaking, Test Proxy - + Proxy de Teste Test Settings... - + Definições de Teste... Testing... - + A Testar... @@ -10935,7 +11071,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Address: - + Endereço: @@ -10945,7 +11081,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Protocol: - Protocolo: + Protocolo: @@ -10955,7 +11091,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Authentication: - + Autenticação: @@ -10970,7 +11106,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, username - + utilizador @@ -11012,7 +11148,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Port: - Porta: + Porta: @@ -11022,17 +11158,17 @@ Unlike the preview channel, it does not include untested, potentially breaking, Load a default web page from the host. (There must be a web server running on the host) - + Carregue uma página da web predefinida do host. (Deve haver um servidor web em execução no host) Test 3: Proxy Server latency - + Teste 3: Latência do servidor proxy Ping count: - + Contador de ping: diff --git a/SandboxiePlus/SandMan/sandman_ru.ts b/SandboxiePlus/SandMan/sandman_ru.ts index 1007a30e..cd72a29a 100644 --- a/SandboxiePlus/SandMan/sandman_ru.ts +++ b/SandboxiePlus/SandMan/sandman_ru.ts @@ -9,53 +9,53 @@ Форма - + kilobytes килобайт - + Protect Box Root from access by unsandboxed processes Защитить Root песочницы от доступа процессов вне песочницы - - + + TextLabel Текстовая метка - + Show Password Показать пароль - + Enter Password Введите пароль - + New Password Новый пароль - + Repeat Password Повторите пароль - + Disk Image Size Размер образа диска - + Encryption Cipher Шифр шифрования - + Lock the box when all processes stop. Заблокировать песочницу, когда все процессы остановятся. @@ -63,67 +63,67 @@ CAddonManager - + Do you want to download and install %1? Вы хотите загрузить и установить %1? - + Installing: %1 Установка: %1 - + Add-on not found, please try updating the add-on list in the global settings! Дополнение не найдено, попробуйте обновить список дополнений в глобальных настройках! - + Add-on Not Found Дополнение не найдено - + Add-on is not available for this platform Дополнение недоступно для этой платформы - + Missing installation instructions Отсутствует инструкция по установке - + Executing add-on setup failed Не удалось выполнить настройку дополнения - + Failed to delete a file during add-on removal Не удалось удалить файл при удалении дополнения - + Updater failed to perform add-on operation Программе обновления не удалось выполнить операцию допонения - + Updater failed to perform add-on operation, error: %1 Программе обновления не удалось выполнить операцию допонения, ошибка: %1 - + Do you want to remove %1? Вы хотите удалить %1? - + Removing: %1 Удаление: %1 - + Add-on not found! Дополнение не найдено! @@ -131,42 +131,42 @@ CAdvancedPage - + Advanced Sandbox options Расширенные опции песочницы - + On this page advanced sandbox options can be configured. На этой странице можно настроить дополнительные опции песочницы. - + Prevent sandboxed programs on the host from loading sandboxed DLLs Запретить программам в песочнице на хосте, загружать DLL из песочницы - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. Эта функция может снизить совместимость, поскольку она также не позволяет процессам, расположенным в песочнице, записывать данные в процессы, расположенные на хосте, и даже запускать их. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. Эта функция может привести к ухудшению пользовательского опыта, поскольку она также не позволяет делать обычные снимки экрана. - + Shared Template Общий шаблон - + Shared template mode Режим общего шаблона - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -177,52 +177,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Чтобы отключить этот шаблон для песочницы, просто снимите флажок с него в списке шаблонов. - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. Эта опция не добавляет никаких настроек в конфигурацию песочницы и не удаляет настройки песочницы по умолчанию на основе настроек удаления в шаблоне. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. Эта опция добавляет общий шаблон в конфигурацию песочницы в качестве локального шаблона, а также может удалить настройки песочницы по умолчанию на основе настроек удаления в шаблоне. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. Эта опция добавляет настройки из общего шаблона в конфигурацию ящика, а также может удалить настройки ящика по умолчанию на основе настроек удаления в шаблоне. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. Эта опция не добавляет никаких настроек в конфигурацию песочницы, но может удалить настройки песочницы по умолчанию на основе настроек удаления в шаблоне. - + Remove defaults if set Удалить настройки по умолчанию, если они установлены - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Отключено - + Advanced Options Расширенные опции - + Prevent sandboxed windows from being captured Предотвращение захвата окон из песочницы - + Use as a template Использовать как шаблон - + Append to the configuration Добавить в конфигурацию @@ -329,17 +339,17 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Введите пароли шифрования для импорта архива: - + kilobytes (%1) килобайт (%1) - + Passwords don't match!!! Пароли не совпадают!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -348,7 +358,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are Рекомендуется выбирать пароль, состоящий из 20 и более символов. Вы уверены, что хотите использовать короткий пароль? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -357,7 +367,7 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a увеличивается до 512 бит с применением модификаций речи Leet (L337) и превышает 768 бит, если состоит из полностью случайных печатаемых символов ASCII. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. Размер образа диска должен быть не менее 256 МБ, рекомендуется 2 ГБ. @@ -373,37 +383,37 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox Создать новую песочницу - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. Песочница изолирует вашу хост-систему от процессов, выполняющихся внутри нее, и не позволяет им вносить необратимые изменения в другие программы и данные на вашем компьютере. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Песочница изолирует вашу хост-систему от процессов, запущенных в ней, и не позволяет им вносить постоянные изменения в другие программы и данные на вашем компьютере. Уровень изоляции влияет на вашу безопасность, а также на совместимость с приложениями, поэтому от типа выбранной песочницы зависит уровень ее изоляции. Sandboxie также может защитить ваши личные данные от доступа со стороны процессов, запущенных под его контролем. - + Enter box name: Введите имя песочницы: - + Select box type: Выберите тип песочницы: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Песочница с <a href="sbie://docs/security-mode">усиленной безопасностью</a> и <a href="sbie://docs/privacy-mode">защитой данных</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -412,59 +422,59 @@ The entire user profile remains hidden, ensuring maximum security. Весь профиль пользователя остается скрытым, что обеспечивает максимальную безопасность. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox Песочница с <a href="sbie://docs/security-mode">усиленной безопасностью</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Этот тип песочницы обеспечивает высочайший уровень защиты за счет значительного уменьшения поверхности атаки, подверженной изолированным процессам. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Песочница с <a href="sbie://docs/privacy-mode">защитой данных</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. В этом типе песочницы изолированным процессам запрещается доступ к каким-либо личным файлам или данным пользователя. Основное внимание уделяется защите пользовательских данных, поэтому только каталоги C:\Windows и C:\Program Files доступны процессам, работающим в этой песочнице. Это гарантирует, что личные файлы останутся в безопасности. - + Standard Sandbox Стандартная песочница - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Этот тип песочницы предлагает поведение по умолчанию, как в Sandboxie classic. Он предоставляет пользователям знакомую и надежную схему песочницы. Приложения можно запускать в этой песочнице, гарантируя, что они будут работать в контролируемом и изолированном пространстве. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/compartment-mode">Контейнер для приложений</a> с <a href="sbie://docs/privacy-mode">защитой данных</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Этот тип песочницы отдает приоритет совместимости, обеспечивая при этом хороший уровень изоляции. Он предназначен для запуска доверенных приложений в отдельных контейнерах. Хотя уровень изоляции снижен по сравнению с другими типами песочниц, он обеспечивает улучшенную совместимость с широким спектром приложений, обеспечивая бесперебойную работу в изолированной среде. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">Контейнер для приложений</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -473,62 +483,62 @@ This ensures the utmost level of privacy and data protection within the confiden Это обеспечивает максимальный уровень конфиденциальности и защиты данных в конфиденциальной изолированной среде. - + Hardened Sandbox with Data Protection Песочница с усиленной изоляцией и защитой данных - + Security Hardened Sandbox Песочница с усиленной изоляцией - + Sandbox with Data Protection Песочница с защитой данных - + Standard Isolation Sandbox (Default) Песочница со стандартной изоляцией (по умолчанию) - + Application Compartment with Data Protection Контейнер для приложений с защитой данных - + Application Compartment Box Контейнер для приложений - + Confidential Encrypted Box Конфиденциальная зашифрованная песочница - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? Для использования зашифрованных песочниц необходимо установить драйвер ImDisk, хотите его скачать и установить? - + Remove after use Удалить после использования - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">Зашифруйте</a> содержимое песочницы и установите <a href="sbie://docs/black-box">конфиденциальность</a> - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. После завершения последнего процесса в песочнице, эта песочница и все данные в ней будут удалены. - + Configure advanced options Настроить дополнительные опции @@ -810,36 +820,64 @@ You can click Finish to close this wizard. Sandboxie-Plus - Экспорт песочницы - + + 7-Zip + + + + + Zip + + + + Store Хранилище - + Fastest Самый быстрый - + Fast Быстрый - + Normal Нормальный - + Maximum Максимум - + Ultra Ультра + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + Выбрать каталог + + + + This name is already in use, please select an alternative box name + Это имя уже используется, выберите другое имя песочницы + + CFileBrowserWindow @@ -889,74 +927,74 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Местоположение и поведение песочницы - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. На этой странице можно настроить расположение песочницы и ее поведение. Вы можете использовать %USER%, чтобы сохранить песочницу каждого пользователя в отдельной папке. - + Sandboxed Files Файлы в песочнице - + Select Directory Выбрать каталог - + Virtualization scheme Схема виртуализации - + Version 1 Версия 1 - + Version 2 Версия 2 - + Separate user folders Раздельные папки пользователей - + Use volume serial numbers for drives Использовать серийные номера томов для дисков - + Auto delete content when last process terminates Автоматическое удаление содержимого при завершении последнего процесса - + Enable Immediate Recovery of files from recovery locations Включить немедленное восстановление файлов из мест восстановления - + The selected box location is not a valid path. Выбранное расположение песочницы не является допустимым путем. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? Выбранное местоположение песочницы существует и не является пустым, рекомендуется выбрать новую или пустую папку. Вы уверены, что хотите использовать существующую папку? - + The selected box location is not placed on a currently available drive. Выбранное расположение песочницы не размещено на доступном в данный момент диске. @@ -1091,83 +1129,83 @@ You can use %USER% to save each users sandbox to an own folder. CIsolationPage - + Sandbox Isolation options Опции изоляции песочницы - + On this page sandbox isolation options can be configured. На этой странице можно настроить опции изоляции песочницы. - + Network Access Доступ к сети - + Allow network/internet access Разрешить доступ к сети/интернету - + Block network/internet by denying access to Network devices Блокировать доступ к сети/интернету, запрещая доступ к сетевым устройствам - + Block network/internet using Windows Filtering Platform Блокировать доступ к сети/интернету с помощью Windows Filtering Platform - + Allow access to network files and folders Разрешить доступ к сетевым файлам и папкам - - + + This option is not recommended for Hardened boxes Эта опция не рекомендуется для песочниц с усиленной изоляцией - + Prompt user whether to allow an exemption from the blockade Предложить пользователю разрешить исключение из блокировки - + Admin Options Опции администратора - + Drop rights from Administrators and Power Users groups Снятие прав с групп Администраторы и Power Users - + Make applications think they are running elevated Заставить приложения думать, что они работают с повышенными правами - + Allow MSIServer to run with a sandboxed system token Разрешить запуск MSIServer с изолированным системным токеном - + Box Options Опции песочницы - + Use a Sandboxie login instead of an anonymous token Использовать логин Sandboxie вместо анонимного токена - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Использование пользовательского токена Sandboxie позволяет лучше изолировать отдельные песочницы друг от друга, а также показывает в колонке пользователя диспетчера задач имя песочницы, к которой принадлежит процесс. Однако у некоторых сторонних решений безопасности могут быть проблемы с пользовательскими токенами. @@ -1226,23 +1264,24 @@ You can use %USER% to save each users sandbox to an own folder. Содержимое этой песочницы будет помещено в зашифрованный файл-контейнер. Обратите внимание, что любое повреждение заголовка контейнера сделает все его содержимое навсегда недоступным. Повреждение может произойти в результате BSOD, сбоя оборудования хранения или перезаписи случайных файлов вредоносным приложением. Эта функция предоставляется в соответствии со строгой политикой <b>Нет резервного копирования, нет пощады</b>. ВЫ, пользователь, несете ответственность за данные, которые вы помещаете в зашифрованную песочницу. <br /><br />ЕСЛИ ВЫ СОГЛАСНЫ НЕСТИ ПОЛНУЮ ОТВЕТСТВЕННОСТЬ ЗА ВАШИ ДАННЫЕ, НАЖМИТЕ [ДА], В противном случае НАЖМИТЕ [НЕТ]. - + Add your settings after this line. Добавьте свои настройки после этой строки. - + + Shared Template Общий шаблон - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. Новая песочница была создана с использованием новой <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">схемы виртуализации версии 2</a>, если у вас возникнут какие-либо непредвиденные проблемы с этой песочницей, переключитесь на схему виртуализации до версии 1 и сообщите о проблеме, возможность изменить этот пресет можно найти в опциях песочницы в группе "Структура песочницы". - + Don't show this message again. Больше не показывать это сообщение. @@ -1258,138 +1297,138 @@ You can use %USER% to save each users sandbox to an own folder. COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? Вы хотите проверить, есть ли новая версия Sandboxie-Plus? - + Don't show this message again. Больше не показывать это сообщение. - + Checking for updates... Проверка обновлений... - + server not reachable сервер недоступен - - + + Failed to check for updates, error: %1 Не удалось проверить обновления, ошибка: %1 - + <p>Do you want to download the installer?</p> <p>Вы хотите загрузить установщик?</p> - + <p>Do you want to download the updates?</p> <p>Вы хотите загрузить обновления?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Хотите перейти на <a href="%1">страницу загрузки</a>?</p> - + Don't show this update anymore. Больше не показывать это обновление. - + Downloading updates... Загрузка обновлений... - + invalid parameter неверный параметр - + failed to download updated information не удалось загрузить обновленную информацию - + failed to load updated json file не удалось загрузить обновленный json файл - + failed to download a particular file не удалось загрузить определенный файл - + failed to scan existing installation не удалось просканировать существующую установку - + updated signature is invalid !!! обновленная подпись недействительна !!! - + downloaded file is corrupted загруженный файл поврежден - + internal error внутренняя ошибка - + unknown error неизвестная ошибка - + Failed to download updates from server, error %1 Не удалось загрузить обновления с сервера, ошибка %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Обновления для Sandboxie-Plus были загружены.</p><p>Применить эти обновления? Если какие-либо программы работают в песочнице, они будут завершены.</p> - + Downloading installer... Загрузка установщика... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Новый установщик Sandboxie-Plus загружен в следующую папку:</p><p><a href="%2">%1</a></p><p>Вы хотите начать установку? Если какие-либо программы работают в песочнице, они будут завершены.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Вы хотите перейти на <a href="%1">страницу с информацией</a>?</p> - + Don't show this announcement in the future. Не показывать это объявление в будущем. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Доступна новая версия Sandboxie-Plus.<br /><font color='red'><b>Новая версия:</b></font> <b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1398,7 +1437,7 @@ Do you still want to update? Вы все еще хотите обновить? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1410,9 +1449,9 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - - + + Browse for File Выбрать файл @@ -1556,21 +1595,21 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory Выбрать каталог - + - - - - + + + + @@ -1580,12 +1619,12 @@ Note: The update check is often behind the latest GitHub release to ensure that Все программы - - + + - - + + @@ -1619,8 +1658,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1633,194 +1672,220 @@ Note: The update check is often behind the latest GitHub release to ensure that Значения шаблона удалить нельзя. - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Включить использование win32 hooks для выбранных процессов. Примечание. Сначала необходимо глобально включить поддержку win32k syscall hook. - + Enable crash dump creation in the sandbox folder Включить создание аварийного дампа в папке песочницы - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Всегда использовать исправление ElevateCreateProcess, которое иногда применяется помощником по совместимости программ. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Включить специальное непоследовательное поведение PreferExternalManifest, необходимое для некоторых исправлений Edge - + Set RpcMgmtSetComTimeout usage for specific processes Использовать RpcMgmtSetComTimeout для определенных процессов - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Вызывает сбой при открытии записи в файл, который не будет скопирован, вместо того, чтобы сделать его доступным только для чтения. - + Make specified processes think they have admin permissions. Заставить указанные процессы думать, что у них есть права администратора. - + Force specified processes to wait for a debugger to attach. Заставить указанные процессы ждать подключения отладчика. - + Sandbox file system root Корень файловой системы песочницы - + Sandbox registry root Корень реестра песочницы - + Sandbox ipc root Корень IPC песочницы - - + + bytes (unlimited) байты (неограниченно) - - + + bytes (%1) байт (%1) - + unlimited неограниченно - + Add special option: Добавить специальную опцию: - - + + On Start При запуске - - - - - + + + + + Run Command Выполнить комманду - + Start Service Запустить службу - + On Init При инициализации - + On File Recovery При восстановлении файлов - + On Delete Content При удалении контента - + On Terminate При завершении - - - - - + + + + + Please enter the command line to be executed Пожалуйста, введите командную строку для выполнения - + Please enter a program file name to allow access to this sandbox Введите имя файла программы, чтобы разрешить доступ к этой песочнице - + Please enter a program file name to deny access to this sandbox Введите имя файла программы, чтобы запретить доступ к этой песочнице - + Deny Отклонить - + %1 (%2) %1 (%2) - + Failed to retrieve firmware table information. Не удалось получить информацию о таблице прошивки. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. Таблица прошивки успешно сохранена в реестре хоста: HKEY_CURRENT_USER\System\SbieCustom<br />вы можете скопировать его в реестр «песочницы», чтобы иметь разные значения для каждого ящика. - - + + Process Процесс - - + + Folder Папка - + Children Дочерние - - - + + Document + + + + + + Select Executable File Выбор исполняемого файла - - - + + + Executable Files (*.exe) Исполняемые файлы (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Принудительное использование указанной записи, скорее всего, приведет к поломке Windows. Вы уверены, что хотите продолжить? @@ -1895,156 +1960,156 @@ Note: The update check is often behind the latest GitHub release to ensure that Контейнер для приложений - + Custom icon Пользовательская иконка - + Version 1 Версия 1 - + Version 2 Версия 2 - + Browse for Program Выбрать программу - + Open Box Options Открыть опции песочницы - + Browse Content Просмотр содержимого - + Start File Recovery Начать восстановление файлов - + Show Run Dialog Показать диалог запуска - + Indeterminate Неопределено - + Backup Image Header Резервная копия заголовка образа - + Restore Image Header Восстановить заголовок образа - + Change Password Изменить пароль - - + + Always copy Всегда копировать - - + + Don't copy Не копировать - - + + Copy empty Копировать пустой - + kilobytes (%1) килобайт (%1) - + Select color Выбрать цвет - + Select Program Выбрать программу - + The image file does not exist Файл образа не существует - + The password is wrong Пароль неправильный - + Unexpected error: %1 Непредвиденная ошибка: %1 - + Image Password Changed Пароль образа изменен - + Backup Image Header for %1 Резервное копирование заголовка образа для %1 - + Image Header Backuped Резервная копия заголовка образа создана - + Restore Image Header for %1 Восстановление заголовка образа для %1 - + Image Header Restored Заголовок образа восстановлен - + Please enter a service identifier Пожалуйста, введите идентификатор службы - + Executables (*.exe *.cmd) Исполняемые файлы (*.exe *.cmd) - - + + Please enter a menu title Пожалуйста, введите заголовок меню - + Please enter a command Пожалуйста, введите команду @@ -2123,7 +2188,7 @@ Note: The update check is often behind the latest GitHub release to ensure that запись: IP или порт не могут быть пустыми - + Allow @@ -2252,62 +2317,62 @@ Please select a folder which contains this file. Пожалуйста, выберите папку, содержащую этот файл. - + Sandboxie Plus - '%1' Options Sandboxie Plus - Опции '%1' - + File Options Опции файла - + Grouping Группировка - + Add %1 Template Добавить шаблон %1 - + Search for options Поиск вариантов - + Box: %1 Песочница: %1 - + Template: %1 Шаблон: %1 - + Global: %1 Глобально: %1 - + Default: %1 По умолчанию: %1 - + This sandbox has been deleted hence configuration can not be saved. Эта песочница была удалена, поэтому сохранить конфигурацию невозможно. - + Some changes haven't been saved yet, do you really want to close this options window? Некоторые изменения еще не были сохранены, вы действительно хотите закрыть окно опций? - + Enter program: Введите программу: @@ -2358,12 +2423,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss Отклонить - + Remove this progress indicator from the list Удалить этот индикатор прогресса из списка @@ -2371,42 +2436,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process Запомнить для этого процесса - + Yes Да - + No Нет - + Terminate Прервать - + Yes and add to allowed programs Да, и добавить в разрешенные программы - + Requesting process terminated Процесс запроса прерван - + Request will time out in %1 sec Срок действия запроса истекает через %1 сек - + Request timed out Срок действия запроса истек @@ -2414,67 +2479,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: Восстановить в: - + Browse Обзор - + Clear folder list Очистить список папок - + Recover Восстановить - + Recover the file to original location Восстановить файл в исходное место - + Recover && Explore Восстановить и показать - + Recover && Open/Run Восстановить и открыть/запустить - + Open file recovery for this box Открыть восстановление файлов для этой песочницы - + Dismiss Отклонить - + Don't recover this file right now Не восстанавливать этот файл прямо сейчас - + Dismiss all from this box Отклонить все из этой песочницы - + Disable quick recovery until the box restarts Отключить быстрое восстановление до перезапуска песочницы - + Select Directory Выбрать каталог @@ -2609,37 +2674,42 @@ Full path: %4 - + Select Directory Выбрать каталог - + + No Files selected! + + + + Do you really want to delete %1 selected files? Вы действительно хотите удалить %1 выбранных файлов? - + Close until all programs stop in this box Закрыть, пока все программы в этой песочнице не остановятся - + Close and Disable Immediate Recovery for this box Закрыть и отключить немедленное восстановление для этой песочницы - + There are %1 new files available to recover. Доступно %1 новых файлов для восстановления. - + Recovering File(s)... Восстановление файлов... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. В песочнице %1 файлов и %2 папок, которые занимают %3 дискового пространства. @@ -2789,22 +2859,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 Ожидание папки: %1 - + Deleting folder: %1 Удаление папки: %1 - + Merging folders: %1 &gt;&gt; %2 Слияние папок: %1 и %2 - + Finishing Snapshot Merge... Завершение слияния снимков... @@ -2812,67 +2882,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled Отключено - + OPEN Root Access ОТКРЫТЬ Root-доступ - + Application Compartment Контейнер для приложений - + NOT SECURE НЕ БЕЗОПАСНЫЙ - + Reduced Isolation Сниженная изоляция - + Enhanced Isolation Повышенная изоляция - + Privacy Enhanced Повышенная конфиденциальность - + No INet (with Exceptions) Нет INet (с исключениями) - + No INet Без интернета - + Net Share Общая сеть - + No Admin Без прав администратора - + Auto Delete Автоудаление - + Normal Нормальный @@ -2886,22 +2956,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie-Plus v%1 - + Reset Columns Сбросить столбцы - + Copy Cell Копировать ячейку - + Copy Row Копировать строку - + Copy Panel Копировать панель @@ -3138,7 +3208,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus О Sandboxie-Plus @@ -3198,9 +3268,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. Больше не показывать это сообщение. @@ -3252,19 +3322,19 @@ Please check if there is an update for sandboxie. Вы хотите, чтобы мастер установки был пропущен? - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Ошибка - + Failed to stop all Sandboxie components Не удалось остановить все компоненты Sandboxie - + Failed to start required Sandboxie components Не удалось запустить необходимые компоненты Sandboxie @@ -3288,27 +3358,27 @@ No will choose: %2 Нет, выберет: %2 - + A sandbox must be emptied before it can be deleted. Песочницу необходимо очистить, прежде чем ее можно будет удалить. - + The supporter certificate is not valid for this build, please get an updated certificate Сертификат сторонника недействителен для этой сборки, получите обновленный сертификат - + The supporter certificate has expired%1, please get an updated certificate Срок действия сертификата сторонника истек%1, пожалуйста получите обновленный сертификат - + , but it remains valid for the current build , но остается действительным для текущей сборки - + The supporter certificate will expire in %1 days, please get an updated certificate Срок действия сертификата сторонника истекает через %1 дн., получите обновленный сертификат @@ -3343,7 +3413,7 @@ No will choose: %2 - НЕ подключено - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Выбранный набор функций доступен только сторонникам проекта. Процессы, запущенные в песочнице с этим набором функций без сертификата сторонника, будут прекращены через 5 минут.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Станьте сторонником проекта</a>, и получите <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертификат сторонника</a> @@ -3400,127 +3470,127 @@ No will choose: %2 - + Only Administrators can change the config. Только администраторы могут изменять конфигурацию. - + Please enter the configuration password. Пожалуйста, введите пароль конфигурации. - + Login Failed: %1 Ошибка входа: %1 - + Do you want to terminate all processes in all sandboxes? Вы хотите завершить все процессы во всех песочницах? - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus запущен в портативном режиме, и ему нужно создать необходимые службы. Это потребует административных привилегий. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. ВНИМАНИЕ: другой агент (вероятно, SbieCtrl.exe) уже управляет этим сеансом Sandboxie, пожалуйста, сначала закройте его и подключитесь повторно, чтобы взять на себя управление. - + Executing maintenance operation, please wait... Выполняется операция обслуживания, подождите... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Вы также хотите сбросить скрытые окна сообщений (да) или только все сообщения журнала (нет)? - + The changes will be applied automatically whenever the file gets saved. Изменения будут применяться автоматически при сохранении файла. - + The changes will be applied automatically as soon as the editor is closed. Изменения вступят в силу автоматически после закрытия редактора. - + Error Status: 0x%1 (%2) Состояние ошибки: 0x%1 (%2) - + Unknown Неизвестно - + Failed to copy box data files Не удалось скопировать файлы данных песочницы - + Failed to remove old box data files Не удалось удалить старые файлы данных песочницы - + Unknown Error Status: 0x%1 Неизвестный статус ошибки: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? Хотите ли вы открыть %1 в изолированном или не изолированном веб-браузере? - + Sandboxed В песочнице - + Unsandboxed Без песочницы - + Case Sensitive Чувствительный к регистру - + RegExp Регулярное выражение - + Highlight Подсветить - + Close Закрыть - + &Find ... Найти (&) ... - + All columns Все столбцы - + Administrator rights are required for this operation. Для этой операции требуются права администратора. @@ -3673,25 +3743,25 @@ No will choose: %2 Каталог данных: %1 - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Программа %1, запущенная в песочнице %2, будет завершена через 5 минут, поскольку песочница была настроена на использование функций, доступных исключительно для сторонников проекта. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Песочница %1 настроена на использование функций, доступных исключительно для сторонников проекта, эти предустановки будут игнорироваться. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Стань сторонником проекта</a>, и получи <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертификат сторонника</a> - + Please enter the duration, in seconds, for disabling Forced Programs rules. Введите продолжительность в секундах, для отключения правил принудительных программ. @@ -3923,350 +3993,350 @@ No will choose: %2 - ТОЛЬКО для некоммерческого использования - + Failed to configure hotkey %1, error: %2 Не удалось настроить горячую клавишу %1, ошибка: %2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. Песочница %1 настроена на использование функций, доступных исключительно сторонникам проекта. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. Песочница %1 настроена на использование функций, требующих <b>расширенного</b> сертификата сторонника. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Обновите свой сертификат</a>, чтобы разблокировать расширенные функции. - + The selected feature requires an <b>advanced</b> supporter certificate. Для выбранной функции требуется <b>расширенный</b> сертификат сторонника. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br /> Чтобы разблокировать эту функцию, вы должны быть на Patreon уровне Большой или выше. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Выбранный набор функций доступен только сторонникам проекта.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Станьте сторонником проекта</a > и получите <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертификат сторонника</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! Сертификат, который вы пытаетесь использовать, заблокирован, то есть он признан недействительным по определенной причине. Любая попытка его использования является нарушением условий его использования! - + The Certificate Signature is invalid! Подпись сертификата недействительна! - + The Certificate is not suitable for this product. Сертификат не подходит для этого продукта. - + The Certificate is node locked. Сертификат заблокирован на узле. - + The support certificate is not valid. Error: %1 Сертификат сторонника недействителен. Ошибка: %1 - + The evaluation period has expired!!! Период оценки истек!!! - - + + Don't ask in future Не спрашивать в будущем - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? Вы хотите завершить все процессы в зашифрованных песочницах и размонтировать их? - + No Recovery Нет файлов для восстановления - + No Messages Нет сообщений - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>ОШИБКА:</b> Sandboxie-Plus Manager (SandMan.exe) не имеет действительной подписи (SandMan.exe.sig). Загрузите надежную версию с <a href="https://sandboxie-plus.com/go.php?to=sbie-get">официальной страницы загрузки</a>. - + Maintenance operation failed (%1) Операция обслуживания не удалась (%1) - + Maintenance operation completed Операция технического обслуживания завершена - + In the Plus UI, this functionality has been integrated into the main sandbox list view. В интерфейсе Plus, эта функция была интегрирована в основное представление списка песочницы. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Используя контекстное меню песочницы/группы, вы можете перемещать песочницы и группы в другие группы. Вы также можете использовать перетаскивание для перемещения элементов. В качестве альтернативы вы также можете использовать клавиши со стрелками, удерживая нажатой клавишу ALT, чтобы перемещать элементы вверх и вниз в пределах группы.<br />Вы можете создавать новые песочницы и группы из меню "Песочница". - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. Вы собираетесь редактировать Templates.ini, обычно это не рекомендуется. Этот файл является частью Sandboxie, и все внесенные в него изменения будут отменены при следующем обновлении Sandboxie. - + Sandboxie config has been reloaded Конфигурация Sandboxie перезагружена - + Failed to execute: %1 Не удалось выполнить: %1 - + Failed to connect to the driver Не удалось подключиться к драйверу - + Failed to communicate with Sandboxie Service: %1 Не удалось связаться со службой Sandboxie: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Обнаружена несовместимая песочница %1. Совместимые версии: %2 - + Can't find Sandboxie installation path. Не удается найти путь установки Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Не удалось скопировать конфигурацию из песочницы %1: %2 - + A sandbox of the name %1 already exists Песочница с именем %1 уже существует - + Failed to delete sandbox %1: %2 Не удалось удалить песочницу %1: %2 - + The sandbox name can not be longer than 32 characters. Имя песочницы не может быть длиннее 32 символов. - + The sandbox name can not be a device name. Имя песочницы не может быть именем устройства. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Имя песочницы может содержать только буквы, цифры и символы подчеркивания, которые отображаются как пробелы. - + Failed to terminate all processes Не удалось завершить все процессы - + Delete protection is enabled for the sandbox Для этой песочницы включена защита от удаления - + All sandbox processes must be stopped before the box content can be deleted Все процессы песочницы должны быть остановлены, перед удалением ее содержимого - + Error deleting sandbox folder: %1 Ошибка при удалении папки песочницы: %1 - + All processes in a sandbox must be stopped before it can be renamed. Все процессы в песочнице должны быть остановлены, прежде чем ее можно будет переименовать. - + Failed to move directory '%1' to '%2' Не удалось переместить каталог '%1' в '%2' - + Failed to move box image '%1' to '%2' Не удалось переместить образ контейнера '%1' в '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Операция снимка не может быть выполнена, пока в песочнице еще выполняются процессы. - + Failed to create directory for new snapshot Не удалось создать каталог для нового снимка - + Snapshot not found Снимок не найден - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Ошибка при объединении каталогов снимков '%1' с '%2', снимок не был объединен полностью. - + Failed to remove old snapshot directory '%1' Не удалось удалить старый каталог снимков '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Невозможно удалить снимок, который используется несколькими более поздними снимками - + You are not authorized to update configuration in section '%1' У вас нет прав для обновления конфигурации в разделе '%1' - + Failed to set configuration setting %1 in section %2: %3 Не удалось установить параметр конфигурации %1 в секции %2: %3 - + Can not create snapshot of an empty sandbox Невозможно создать снимок пустой песочницы - + A sandbox with that name already exists Песочница с таким именем уже существует - + The config password must not be longer than 64 characters Пароль конфигурации не должен быть длиннее 64 символов - + The operation was canceled by the user Операция отменена пользователем - + The content of an unmounted sandbox can not be deleted Содержимое несмонтированной песочницы нельзя удалить - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded Импорт/экспорт недоступен, не удалось загрузить 7z.dll - + Failed to create the box archive Не удалось создать архив контейнера - + Failed to open the 7z archive Не удалось открыть 7z архив - + Failed to unpack the box archive Не удалось распаковать архив контейнера - + The selected 7z file is NOT a box archive Выбранный 7z файл НЕ является архивом контейнера - + Operation failed for %1 item(s). Операция не удалась для %1 элемента(ов). - + Remember choice for later. Запомнить выбор. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>О Sandboxie-Plus</h3><p>Версия %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 Эта копия Sandboxie-Plus сертифицирована для: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie-Plus бесплатна для личного и некоммерческого использования. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus - это продолжение Sandboxie с открытым исходным кодом.<br />Посетите <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> для получения дополнительной информации.<br /><br />%2<br /><br />Функции: %3<br /><br />Установка: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Значки с сайта <a href="https://icons8.com">icons8.com</a> @@ -4544,37 +4614,37 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSbieTemplatesEx - + Failed to initialize COM Не удалось инициализировать COM - + Failed to create update session Не удалось создать сеанс обновления - + Failed to create update searcher Не удалось создать средство поиска обновлений - + Failed to set search options Не удалось задать опции поиска - + Failed to enumerate installed Windows updates Не удалось перечислить установленные обновления Windows - + Failed to retrieve update list from search result Не удалось получить список обновлений из результатов поиска - + Failed to get update count Не удалось получить количество обновлений @@ -4582,626 +4652,619 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSbieView - - + + Create New Box Создать новую песочницу - + Remove Group Удалить группу - - + + Run Запустить - + Run Program Запустить программу - + Run from Start Menu Запустить из меню 'Пуск' - + Default Web Browser Веб-браузер по умолчанию - + Default eMail Client Почтовый клиент по умолчанию - + Windows Explorer Проводник - + Registry Editor Редактор реестра - + Programs and Features Программы и компоненты - + Terminate All Programs Завершить все программы - - - - - + + + + + Create Shortcut Создать ярлык - - + + Explore Content Открыть в проводнике - - + + Snapshots Manager Менеджер снимков - + Recover Files Восстановить файлы - - + + Delete Content Удалить содержимое - + Sandbox Presets Предустановки песочницы - + Ask for UAC Elevation Запросить повышение уровня UAC - + Drop Admin Rights Отбросить права администратора - + Emulate Admin Rights Эмуляция прав администратора - + Block Internet Access Блокировать доступ в Интернет - + Allow Network Shares Разрешить сетевые ресурсы - + Sandbox Options Опции песочницы - + Standard Applications Стандартные приложения - + Browse Files Просмотр файлов - - + + Sandbox Tools Инструменты песочницы - + Duplicate Box Config Дублировать конфигурацию песочницы - - + + Rename Sandbox Переименовать песочницу - - + + Move Sandbox Переместить песочницу - - + + Remove Sandbox Удалить песочницу - - + + Terminate Завершить - + Preset Предустановка - - + + Pin to Run Menu Закрепить в меню 'Запустить' - + Block and Terminate Заблокировать и завершить - + Allow internet access Разрешить доступ в Интернет - + Force into this sandbox Принудительно в этой песочнице - + Set Linger Process Установить вторичный процесс - + Set Leader Process Установить первичный процесс - + File root: %1 Корень файла: %1 - + Registry root: %1 Корень реестра: %1 - + IPC root: %1 Корень IPC: %1 - + Options: Опции: - + [None] [Нет] - + Please enter a new group name Пожалуйста, введите новое имя группы - + Do you really want to remove the selected group(s)? Вы действительно хотите удалить выбранные группы? - - + + Create Box Group Создать группу песочниц - + Rename Group Переименовать группу - - + + Stop Operations Остановить операции - + Command Prompt Командная строка - + Command Prompt (as Admin) Командная строка (от администратора) - + Command Prompt (32-bit) Командная строка (32-бит) - + Execute Autorun Entries Выполнить записи автозапуска - + Browse Content Просмотр содержимого - + Box Content Содержимое песочницы - + Open Registry Открыть в редакторе реестра - - + + Refresh Info Обновить информацию - - + + Import Box Импорт песочницы - - + + (Host) Start Menu (Хост) Меню "Пуск" - - + + Mount Box Image Подключить образ диска - - + + Unmount Box Image Отключить образ песочницы - + Immediate Recovery Немедленное восстановление - + Disable Force Rules Отключить принудительные правила - + Export Box Экспорт контейнера - - + + Move Up Сдвинуть вверх - - + + Move Down Сдвинуть вниз - + Suspend Приостановить - + Resume Возобновить - + Run Web Browser Запустить веб-браузер - + Run eMail Reader Запустить почтовый клиент - + Run Any Program Запустить любую программу - + Run From Start Menu Запустить из меню "Пуск" - + Run Windows Explorer Запустить проводник Windows - + Terminate Programs Завершить программы - + Quick Recover Быстрое восстановление - + Sandbox Settings Настройки песочницы - + Duplicate Sandbox Config Дублировать конфигурацию песочницы - + Export Sandbox Экспорт песочницы - + Move Group Переместить группу - + Disk root: %1 Корень диска: %1 - + Please enter a new name for the Group. Пожалуйста, введите новое имя для группы. - + Move entries by (negative values move up, positive values move down): Сдвинуть записи на (отрицательные значения сдвигают вверх, положительные значения сдвигают вниз): - + A group can not be its own parent. Группа не может быть собственным родителем. - + Failed to open archive, wrong password? Не удалось открыть архив, неверный пароль? - + Failed to open archive (%1)! Не удалось открыть архив (%1)! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + + + This name is already in use, please select an alternative box name - Это имя уже используется, выберите другое имя песочницы + Это имя уже используется, выберите другое имя песочницы - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 Импорт: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. Имя песочницы и имя группы песочниц не могут использовать символы ',()'. - + This name is already used for a Box Group. Это имя уже используется для группы песочниц. - + This name is already used for a Sandbox. Это имя уже используется для песочницы. - - - + + + Don't show this message again. Больше не показывать это сообщение. - - - + + + This Sandbox is empty. Эта песочница пуста. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. ВНИМАНИЕ: Редактор реестра запускается вне песочницы, будьте осторожны и вносите изменения только в предварительно выбранные местоположения песочницы. - + Don't show this warning in future Не показывать это предупреждение в будущем - + Please enter a new name for the duplicated Sandbox. Введите новое имя копии песочницы. - + %1 Copy %1 Копия - - + + Select file name Выберите имя файла - - 7-zip Archive (*.7z) - 7-zip архив (*.7z) + 7-zip архив (*.7z) - + Exporting: %1 Экспорт: %1 - + Please enter a new name for the Sandbox. Введите новое имя для песочницы. - + Please enter a new alias for the Sandbox. Введите новый псевдоним для песочницы. - + The entered name is not valid, do you want to set it as an alias instead? Введенное имя недопустимо, хотите ли вы задать его в качестве псевдонима? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Вы действительно хотите удалить выбранные песочницы?<br /><br />Внимание: содержимое песочницы также будет удалено! - + This Sandbox is already empty. Эта песочница уже пуста. - - + + Do you want to delete the content of the selected sandbox? Вы хотите удалить содержимое выбранной песочницы? - - + + Also delete all Snapshots Также удалить все снимки - + Do you really want to delete the content of all selected sandboxes? Вы действительно хотите удалить содержимое всех выбранных песочниц? - + Do you want to terminate all processes in the selected sandbox(es)? Вы хотите завершить все процессы в выбранных песочницах? - - + + Terminate without asking Завершить без запроса - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Cтартовое меню Sandboxie теперь будет отображено. Выберите приложение из меню, и Sandboxie создаст новый ярлык на вашем реальном рабочем столе, который вы можете использовать для вызова выбранного приложения под контролем Sandboxie. - - + + Create Shortcut to sandbox %1 Создать ярлык для песочницы %1 - + Do you want to terminate %1? Вы хотите завершить %1? - + the selected processes выбранные процессы - + This box does not have Internet restrictions in place, do you want to enable them? В этой песочнице нет ограничений на доступ к Интернет, вы хотите их включить? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Эта песочница отключена или ограничена для определенных групп или пользователей, вы хотите ее включить? @@ -5246,162 +5309,162 @@ This file is part of Sandboxie and all change done to it will be reverted next t CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Глобальные настройки - + Auto Detection Автоопределение - + No Translation Нет перевода - - + + Don't integrate links Не интегрировать ссылки - - + + As sub group Как подгруппа - - + + Fully integrate Полностью интегрировать - + Don't show any icon Не показывать никаких значков - + Show Plus icon Показать Plus значок - + Show Classic icon Показать классический значок - + All Boxes Все песочницы - + Active + Pinned Активные + закрепленные - + Pinned Only Только закрепленные - + Close to Tray Закрыть в системный трей - + Prompt before Close Запрос перед закрытием - + Close Закрыть - + None Нет - + Native Родной - + Qt Qt - + Every Day Каждый день - + Every Week Каждую неделю - + Every 2 Weeks Каждые 2 недели - + Every 30 days Каждые 30 дней - + Ignore Игнорировать - + %1 %1 - + HwId: %1 HwId: %1 - + Search for settings Поиск настроек - - - + + + Run &Sandboxed Запуск в песочнице (&S) - + kilobytes (%1) килобайт (%1) - + Volume not attached Том не прикреплён - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> <b>Вы использовали %1/%2 ознакомительных сертификатов. Больше бесплатные сертификаты генерироваться не будут.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> <b><a href="_">Получите бесплатный ознакомительный сертификат</a> и пользуйтесь всеми премиум-функциями в течение %1 дня.</b> @@ -5410,17 +5473,17 @@ This file is part of Sandboxie and all change done to it will be reverted next t Вы можете запросить бесплатный %1-дневный ознакомительный сертификат не более %2 раз для одного Hardware ID - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Срок действия этого сертификата сторонника истек. Пожалуйста, <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">получите обновленный сертификат</a>. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>В текущей сборке функции Plus остаются включенными</font>, но у вас больше нет доступа к службам Sandboxie-Live, включая обновления совместимости и базу данных для устранения неполадок. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Срок действия этого сертификата сторонника <font color='red'>истечет через %1 дн.</font>. Пожалуйста, <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">получите обновленный сертификат</a>. @@ -5429,403 +5492,403 @@ This file is part of Sandboxie and all change done to it will be reverted next t Истекает через: %1 дн - + Expires in: %1 days Expires: %1 Days ago Истек: %1 дн. назад - + Options: %1 Опции: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 Песочницы для приложений с улучшенной безопасностью и конф-тью (SBox): %1 - - - - + + + + Enabled Включено - - - - + + + + Disabled Отключено - + Encrypted Sandboxes (EBox): %1 Зашифрованные песочницы (EBox): %1 - + Network Interception (NetI): %1 Перехват сети (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. Это не похоже на серийный номер Sandboxie-Plus.<br />Если вы пытались ввести ключ обновления или подпись из сертификата, что не является правильным, пожалуйста, введите весь сертификат в текстовую область выше. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. Вы пытаетесь использовать ключ обновления функции без ввода ранее существовавшего сертификата поддержки. Обратите внимание, что для этого типа ключа (<b>как это четко указано жирным шрифтом на веб-сайте</b) требуется наличие уже существующего действующего сертификата поддержки; без него ключ бесполезен.<br />Если вы хотите использовать расширенные функции, вам необходимо получить как стандартный сертификат, так и ключ обновления функции, чтобы разблокировать расширенные функции. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. Вы пытаетесь использовать ключ продления без ввода ранее существовавшего сертификата поддержки. Обратите внимание, что для этого типа ключа (<b>как это четко указано жирным шрифтом на веб-сайте</b) требуется наличие уже существующего действующего сертификата поддержки; без него ключ бесполезен. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>Если вы не прочитали описание продукта и получили этот ключ по ошибке, пожалуйста, свяжитесь с нами по электронной почте (указанной на нашем сайте), чтобы решить эту проблему.</u> - + Sandboxie-Plus - Get EVALUATION Certificate Sandboxie-Plus - Получить ОЗНАКОМИТЕЛЬНЫЙ сертификат - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. Введите адрес электронной почты, чтобы получить бесплатный ознакомительный сертификат на %1 дней, который будет выдан на %2 и привязан к текущему оборудованию. Вы можете запросить до %3 ознакомительных сертификатов для каждого уникального Hardware ID. - + Error retrieving certificate: %1 Ошибка при получении сертификата: %1 - + Unknown Error (probably a network issue) Неизвестная ошибка (вероятно, проблема с сетью) - + Contributor Участник - + Eternal Вечный - + Business Бизнес - + Personal Персональный - + Great Patreon Большой Patreon - + Patreon Patreon - + Family Семья - + Evaluation Оценка - + Type %1 Тип %1 - + Advanced Расширенный - + Advanced (L) Расширенный (L) - + Max Level Максимальный уровень - + Level %1 Уровень %1 - + Supporter certificate required for access Для доступа требуется сертификат сторонника - + Supporter certificate required for automation Для автоматизации требуется сертификат сторонника - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. К сожалению, этот сертификат недействителен для текущей сборки, вам необходимо получить новый сертификат или перейти на более раннюю сборку. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Хотя срок действия этого сертификата истек, для текущей установленной версии плюс функции остаются включенными. Однако у вас больше не будет доступа к службам Sandboxie-Live, включая обновления совместимости и онлайн-базу данных для устранения неполадок. - + This certificate has unfortunately expired, you need to get a new certificate. Срок действия этого сертификата, к сожалению, истек, вам необходимо получить новый сертификат. - + Sandboxed Web Browser Веб-браузер в песочнице - - + + Notify Уведомлять - - + + Download & Notify Загрузить и уведомить - - + + Download & Install Загрузить и установить - + Browse for Program Выбрать программу - + Add %1 Template Добавить шаблон %1 - + Select font Выбор шрифта - + Reset font Сброс шрифта - + %0, %1 pt %0, %1 pt - + Please enter message Пожалуйста, введите сообщение - + Select Program Выбрать программу - + Executables (*.exe *.cmd) Исполняемые файлы (*.exe *.cmd) - - + + Please enter a menu title Введите название меню - + Please enter a command Введите команду - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. Вы можете запросить бесплатный %1-дневный ознакомительный сертификат не более %2 раз для одного Hardware ID - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Дополнительные функции будут отключены через %1 дн.</font> - + <br />Plus features are no longer enabled. <br />Дополнительные функции больше не включены. - + Expired: %1 days ago - - + + Retrieving certificate... Получение сертификата... - + Home Домашняя - + Run &Un-Sandboxed Запуск вне песочницы (&U) - + Set Force in Sandbox Установить принудительно в песочнице - + Set Open Path in Sandbox Установить путь открытия в песочнице - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Это не похоже на сертификат. Пожалуйста, введите весь сертификат, а не только его часть. - + The evaluation certificate has been successfully applied. Enjoy your free trial! Ознакомительный сертификат успешно применен. Наслаждайтесь бесплатной пробной версией! - + Thank you for supporting the development of Sandboxie-Plus. Спасибо за поддержку разработки Sandboxie-Plus. - + Update Available Доступно обновление - + Installed Установлен - + by %1 %1 - + (info website) (информационный сайт) - + This Add-on is mandatory and can not be removed. Это дополнение является обязательным и не может быть удалено. - - + + Select Directory Выбрать каталог - + <a href="check">Check Now</a> <a href="check">Проверить сейчас</a> - + Please enter the new configuration password. Пожалуйста, введите новый пароль конфигурации. - + Please re-enter the new configuration password. Пожалуйста, повторно введите новый пароль конфигурации. - + Passwords did not match, please retry. Пароли не совпадают, повторите попытку. - + Process Процесс - + Folder Папка - + Please enter a program file name Пожалуйста, введите имя файла программы - + Please enter the template identifier Пожалуйста, введите идентификатор шаблона - + Error: %1 Ошибка: %1 - + Do you really want to delete the selected local template(s)? Вы действительно хотите удалить выбранные локальные шаблоны? - + %1 (Current) %1 (Текущая) @@ -6062,76 +6125,76 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox Создать новую песочницу - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Почти завершено, нажмите "Готово", чтобы создать новую песочницу и завершить работу мастера. - + Save options as new defaults Сохранить опции как новые значения по умолчанию - + Skip this summary page when advanced options are not set Пропустить эту страницу сводки, если расширенные опции не установлены - + This Sandbox will be saved to: %1 Эта песочница будет сохранена в: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. Содержимое этой песочницы будет ПОТЕРЯНО, когда она будет закрыта, и песочница будет удалена. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Эта песочница ТЕРЯЕТ свое содержимое, при закрытии, она подходит только для временных данных. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Процессы в этой песочнице не смогут получить доступ к Интернету или локальной сети, это гарантирует, что все данные, к которым осуществляется доступ, останутся конфиденциальными. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. В этой песочнице будет запускаться MSIServer (служба установщика *.msi) с системным токеном, это улучшает совместимость, но снижает изоляцию безопасности. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Процессы в этой песочнице будут думать, что они запущены с правами администратора, но на самом деле не имеют их, поэтому установщики можно использовать даже в защищенной песочнице. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. Процессы в этой песочнице будут запускаться с пользовательским токеном процесса, указывающим на песочницу, к которой они принадлежат. - + Failed to create new box: %1 Не удалось создать новую песочницу: %1 @@ -6756,34 +6819,74 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for Сжатие файлов - + Compression Сжатие - + When selected you will be prompted for a password after clicking OK При активации, вам будет предложено ввести пароль после нажатия кнопки ОК - + Encrypt archive content Зашифровать содержимое архива - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. Непрерывное архивирование повышает степень сжатия, представляя несколько файлов как один непрерывный блок данных. Идеально подходит для большого количества небольших файлов, делает архив более компактным, но может увеличить время, необходимое для извлечения отдельных файлов. - + Create Solide Archive Создать непрерывный архив - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Экспорт песочницы в архив 7z, выберите степень сжатия и настройте дополнительные параметры сжатия. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Экспорт песочницы в архив 7z, выберите степень сжатия и настройте дополнительные параметры сжатия. + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption + @@ -6809,404 +6912,410 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for Индикатор песочницы в заголовке: - + Sandboxed window border: Рамка изолированного окна: - + Double click action: Действие двойного щелчка: - + Separate user folders Раздельные папки пользователей - + Box Structure Структура песочницы - + Security Options Опции безопасности - + Security Hardening Усиление безопасности - - - - - - + + + + + + + Protect the system from sandboxed processes Защита системы от изолированных процессов - + Elevation restrictions Ограничения повышение уровня - + Drop rights from Administrators and Power Users groups Удаление прав из групп администраторов и опытных пользователей - + px Width px ширина - + Make applications think they are running elevated (allows to run installers safely) Заставить приложения думать, что они работают с повышенными правами (позволяет безопасно запускать установщики) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. ВНИМАНИЕ: При запуске под встроенным администратором процессы не могут терять административные привилегии. - + Appearance Внешний вид - + (Recommended) (Рекомендуемые) - + Show this box in the 'run in box' selection prompt Показывать эту песочницу в окне выбора 'Выполнить в песочнице' - + File Options Опции файла - + Auto delete content changes when last sandboxed process terminates Автоматическое удаление изменений содержимого при завершении последнего процесса в песочнице - + Copy file size limit: Максимальный размер копируемого файла: - + Box Delete options Опции удаления песочницы - + Protect this sandbox from deletion or emptying Защитить эту песочницу от удаления или очистки - - + + File Migration Перенос файлов - + Allow elevated sandboxed applications to read the harddrive Разрешить изолированным приложениям с повышенными правами читать жесткий диск - + Warn when an application opens a harddrive handle Предупреждать, когда приложение открывает дескриптор жесткого диска - + kilobytes килобайт - + Issue message 2102 when a file is too large Сообщение о проблеме 2102, когда файл слишком большой - + Prompt user for large file migration Запрашивать пользователя о переносе больших файлов - + Allow the print spooler to print to files outside the sandbox Разрешить диспетчеру печати печатать файлы вне песочницы - + Remove spooler restriction, printers can be installed outside the sandbox Снять ограничение диспетчера печати, принтеры можно устанавливать вне песочницы - + Block read access to the clipboard Заблокировать доступ на чтение буфера обмена - + Open System Protected Storage Открыть системное защищенное хранилище - + Block access to the printer spooler Заблокировать доступ к диспетчеру печати - + Other restrictions Прочие ограничения - + Printing restrictions Ограничения печати - + Network restrictions Сетевые ограничения - + Block network files and folders, unless specifically opened. Блокировать сетевые файлы и папки, если они специально не открываются. - + Run Menu Меню запуска - + You can configure custom entries for the sandbox run menu. Вы можете настроить пользовательские записи для меню запуска песочницы. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Имя - + Command Line Командная строка - + Add program Добавить программу - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Удалить - - - - - - - + + + + + + + Type Тип - + Program Groups Группы программ - + Add Group Добавить группу - - - - - + + + + + Add Program Добавить программу - + Force Folder Принудительная папка - - - + + + Path Путь - + Force Program Принудительная программа - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Показать шаблоны - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Примечание по безопасности: расширенные приложения, работающие под контролем Sandboxie, с токеном администратора или системным токеном, имеют больше возможностей для обхода изоляции и изменения системы вне песочницы. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Разрешить MSIServer работать с изолированным системным токеном и при необходимости применить другие исключения - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Примечание: Исключения для установщика Msi не требуются, но если вы столкнетесь с проблемами при установке пакета msi, которому вы доверяете, эта опция может помочь успешно завершить установку. Вы также можете попробовать отключить сброс прав администратора. - + General Configuration Общая конфигурация - + Box Type Preset: Предустановка типа песочницы: - + Box info Информация о песочнице - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Больше типов песочниц</b> доступны исключительно для <u>сторонников проекта</u>, песочницы с улучшенной конфиденциальностью <b><font color='red'>защищают данные пользователей от несанкционированного доступа</font></b> программ в песочнице.<br />Если вы еще не являетесь сторонником, то рассмотрите <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">возможность поддержки проекта</a>, для получения <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертификата сторонника</a>.<br />Вы можете протестировать другие типы песочниц, создав новые песочницы этих типов, однако процессы в них будут автоматически завершены через 5 минут. - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Использовать серийные номера томов для дисков, например: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty Структуру песочницы можно изменить только тогда, когда она пуста - + Disk/File access Доступ к диску/файлу - + Encrypt sandbox content Шифровать содержимое песочницы - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. Когда <a href="sbie://docs/boxencryption">шифрование песочницы</a> включено, ее корневая папка, включая куст реестра, сохраняется в зашифрованном образе диска с использованием <a href="https://diskcryptor.org">Disk Cryptor's</a> реализация AES-XTS. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Установить ImDisk</a> драйвер, чтобы включить поддержку Ram Disk и Disk Image. - + Store the sandbox content in a Ram Disk Хранить содержимое песочницы на Ram Disk - + Set Password Задать пароль - + Virtualization scheme Схема виртуализации - + + Allow sandboxed processes to open files protected by EFS + + + + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -7215,225 +7324,252 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for 2115: Файл не был перенесен, файл будет открыт только для чтения - + Issue message 2113/2114/2115 when a file is not fully migrated Сообщение о проблеме 2113/2114/2115, когда файл не полностью перенесен - + Add Pattern Добавить шаблон - + Remove Pattern Удалить шаблон - + Pattern Шаблон - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie не позволяет записывать файлы хоста, если это не разрешено пользователем. Когда приложение в песочнице пытается изменить файл, весь файл должен быть скопирован в песочницу, для больших файлов это может занять значительное время. Sandboxie предлагает варианты обработки таких случаев, которые можно настроить на этой странице. - + Using wildcard patterns file specific behavior can be configured in the list below: Использование файлов с шаблонами подстановочных знаков может быть настроено в списке ниже: - + When a file cannot be migrated, open it in read-only mode instead Если файл невозможно перенести, вместо этого откройте его в режиме только для чтения - + Open Windows Credentials Store (user mode) Открыть хранилище учетных данных Windows (пользовательский режим) - + + Open access to Proxy Configurations + + + + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Create a new sandboxed token instead of stripping down the original token Создать новый токен в песочнице вместо того, чтобы уничтожать исходный токен - + Force Children Принудительные дочерние - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + DNS Filter DNS-фильтр - + Add Filter Добавить фильтр - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. С помощью DNS-фильтра можно блокировать отдельные домены на основе каждого процесса. Оставьте столбец IP пустым для блокировки или введите ip для перенаправления. - + Domain Домен - + Internet Proxy Интернет-прокси - + Add Proxy Добавить прокси - + Test Proxy Проверить прокси - + Auth Авторизация - + Login Логин - + Password Пароль - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. Программы, находящиеся в песочнице, можно заставить использовать заданный SOCKS5 прокси-сервер. - + Resolve hostnames via proxy Разрешение имен хостов через прокси-сервер - + Other Options Другие опции - + Prevent change to network and firewall parameters (user mode) Запретить изменение параметров сети и брандмауэра (пользовательский режим) - - + + Move Up Сдвинуть вверх - - + + Move Down Сдвинуть вниз - + Security Isolation Изоляция безопасности - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Различные функции изоляции могут нарушить совместимость с некоторыми приложениями. Если вы используете эту песочницу <b>НЕ для безопасности</b>, а для переносимости приложений, изменив эти опции, вы можете восстановить совместимость, пожертвовав некоторой безопасностью. - + Disable Security Isolation Отключить изоляцию безопасности - + Access Isolation Изоляция доступа - - + + Box Protection Защита песочницы - + Protect processes within this box from host processes Защитить процессы внутри этой песочницы от хост-процессов - + Allow Process Разрешить процесс - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Сообщение о проблеме 1318/1317, когда хост-процесс пытается получить доступ к изолированному процессу/корню песочницы - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus может создавать конфиденциальные песочницы, которые обеспечивают надежную защиту от несанкционированного наблюдения или вмешательства со стороны хост-процессов. Благодаря использованию зашифрованного образа песочницы эта функция обеспечивает высочайший уровень операционной конфиденциальности, гарантируя безопасность и целостность изолированных процессов. - + Deny Process Запретить процесс - + Use a Sandboxie login instead of an anonymous token Использовать логин Sandboxie вместо анонимного токена - + Configure which processes can access Desktop objects like Windows and alike. Настроить, какие процессы могут получать доступ к объектам рабочего стола, таким как Windows и т.п. - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. При нажатии глобальной горячей клавиши 3 раза подряд это исключение будет проигнорировано. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. Исключить завершение этой песочницы при вызове "Завершить все процессы". - + Image Protection Защита изображения - + Issue message 1305 when a program tries to load a sandboxed dll Выдать сообщение 1305, когда программа пытается загрузить изолированную dll - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Запретить программам в песочнице, установленным на хосте, загружать dll из песочницы - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -7442,690 +7578,689 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Это делается для того, чтобы неавторизованные процессы внутри песочницы не смогли создать переименованную копию себя и получить доступ к защищенным ресурсам. Другой вектор использования - внедрение библиотеки в авторизованный процесс для получения доступа ко всему, к чему ему разрешен доступ. С помощью Host Image Protection это можно предотвратить, заблокировав приложения (установленные на хосте), работающие внутри песочницы, от загрузки библиотек из самой песочницы. - + Advanced Security Расширенная безопасность - + Other isolation Другая изоляция - + Privilege isolation Изоляция привилегий - + Sandboxie token Токен Sandboxie - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Использование пользовательского токена Sandboxie позволяет лучше изолировать отдельные песочницы друг от друга, а также показывает в пользовательском столбце диспетчеров задач имя песочницы, к которой принадлежит процесс. Однако у некоторых сторонних решений безопасности могут быть проблемы с пользовательскими токенами. - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Вы можете сгруппировать программы и дать группе название. Группы программ могут использоваться с некоторыми настройками вместо названий программ. Группы, определенные для песочницы, перезаписывают группы, определенные в шаблонах. - + Program Control Контроль программ - + Force Programs Принудительные программы - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Введенные здесь программы, или программы запущенные из указанных мест, будут автоматически помещены в эту песочницу, если они явно не запущены в другой песочнице. - + Disable forced Process and Folder for this sandbox Отключить принудительный процесс и папку для этой песочницы - + Breakout Programs Программы вне песочницы - + Breakout Program Программа вне песочницы - + Breakout Folder Папка вне песочницы - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Программам, указанным здесь, будет разрешено выйти из этой песочницы при запуске. Также можно захватить их в другую песочницу, например, чтобы ваш веб-браузер всегда был открыт в определенной песочнице. - - + + Stop Behaviour Поведение остановки - + Start Restrictions Ограничения на запуск - + Issue message 1308 when a program fails to start Сообщение о проблеме 1308, когда программа не запускается - + Allow only selected programs to start in this sandbox. * Разрешить запуск только выбранных программ в этой песочнице. * - + Prevent selected programs from starting in this sandbox. Запретить запуск выбранных программ в этой песочнице. - + Allow all programs to start in this sandbox. Разрешить запуск всех программ в этой песочнице. - + * Note: Programs installed to this sandbox won't be able to start at all. * Примечание: Программы, установленные в этой песочнице, вообще не запустятся. - + Process Restrictions Ограничения процесса - + Issue message 1307 when a program is denied internet access Сообщение о проблеме 1307, когда программе запрещен доступ в Интернет - + Prompt user whether to allow an exemption from the blockade. Подсказка пользователю, разрешить ли освобождение от блокировки. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Примечание: Программы, установленные в этой песочнице, вообще не смогут получить доступ к Интернету. - - - - - - + + + + + + Access Доступ - + Partially checked means prevent box removal but not content deletion. Частично проверено означает предотвращение удаления контейнера, но не удаление содержимого. - + Restrictions Ограничения - + Dlls && Extensions DLL и расширения - + Description Описание - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Функциональность Sandboxie можно расширить с помощью дополнительных dll, которые можно загружать в каждый изолированный процесс при запуске с помощью SbieDll.dll. Менеджер надстроек в глобальных настройках предлагает несколько полезных расширений, после установки их можно включить здесь для текущей песочницы. - + Lingering Programs Вторичные программы - + Force protection on mount Принудительная защита при монтировании - + Prevent processes from capturing window images from sandboxed windows Запретить процессам захватывать изображения окон из окон в песочнице - + Allow useful Windows processes access to protected processes Разрешить полезным процессам Windows доступ к защищенным процессам - + This feature does not block all means of obtaining a screen capture, only some common ones. Эта функция блокирует не все способы получения снимка экрана, а только некоторые распространенные. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Запретить перемещать мышь, выносить на передний план и другие подобные операции, это может привести к проблемам в играх. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar Разрешить окнам в песочнице перекрывать панель задач - + Isolation Изоляция - + Only Administrator user accounts can make changes to this sandbox Только учетные записи администраторов могут вносить изменения в эту песочницу - + Job Object Рабочий объект - - - + + + unlimited неограниченно - - + + bytes байт - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. Отмечено: Локальная группа также будет добавлена к вновь созданному токену песочницы, что позволяет обращаться ко всем песочницам одновременно. Будет полезно для аудита политик. Частично отмечено: Никакие группы не будут добавлены к вновь созданному токену песочницы. - + Drop ConHost.exe Process Integrity Level - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>СОВЕТЫ ПО БЕЗОПАСНОСТИ</font>:</b> Использование <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> и/или <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> в сочетании с директивами Open[File/Pipe]Path может поставить под угрозу безопасность. Перед использованием ознакомьтесь с разделом безопасности для каждой опции в документации. + <b><font color='red'>СОВЕТЫ ПО БЕЗОПАСНОСТИ</font>:</b> Использование <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> и/или <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> в сочетании с директивами Open[File/Pipe]Path может поставить под угрозу безопасность. Перед использованием ознакомьтесь с разделом безопасности для каждой опции в документации. - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Вторичные программы будут автоматически завершены, если они все еще работают после завершения всех других процессов. - + Leader Programs Первичные программы - + If leader processes are defined, all others are treated as lingering processes. Если первичные процессы определены, все остальные рассматриваются как вторичные процессы. - + Stop Options Опции остановки - + Use Linger Leniency Использовать снисхождения ко вторичным - + Don't stop lingering processes with windows Не останавливать вторичные процессы с окнами - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. Этот параметр можно использовать для предотвращения запуска программ в песочнице без ведома или согласия пользователя. - + Display a pop-up warning before starting a process in the sandbox from an external source Отображать всплывающее предупреждение перед запуском процесса в песочнице из внешнего источника - + Files Файлы - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Настройте, какие процессы могут получить доступ к файлам, папкам и каналам. 'Открытый' доступ применяется только к двоичным файлам программы, расположенным за пределами песочницы. Вместо этого вы можете использовать 'Открытый для всех', чтобы применить его ко всем программам, или изменить это поведение на вкладке политик. - + Registry Реестр - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Настройте, какие процессы могут получить доступ к реестру. 'Открытый' доступ применяется только к двоичным файлам программы, расположенным за пределами песочницы. Вместо этого вы можете использовать 'Открытый для всех', чтобы применить его ко всем программам, или изменить это поведение на вкладке политик. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Настройте, какие процессы могут получить доступ к объектам NT IPC, таким как порты ALPC и другие процессы, память и контекст. Чтобы указать процесс, используйте '$:program.exe' в качестве пути. - + Wnd Wnd - + Wnd Class Wnd класс - + COM COM - + Class Id Id класса - + Configure which processes can access COM objects. Настройте, какие процессы могут получить доступ к COM-объектам. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Не использовать виртуализированный COM, открыть доступ к инфраструктуре COM хостов (не рекомендуется) - + Access Policies Политики доступа - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Применить правила Close...=!<program>,... также ко всем двоичным файлам, находящимся в песочнице. - + Network Options Опции сети - + Set network/internet access for unlisted processes: Настроить доступ к сети/Интернету для неуказанных процессов: - + Test Rules, Program: Правила тестирования, программа: - + Port: Порт: - + IP: IP: - + Protocol: Протокол: - + X X - + Add Rule Добавить правило - - - - - - - - - - + + + + + + + + + + Program Программа - - - - + + + + Action Действие - - + + Port Порт - - - + + + IP IP - + Protocol Протокол - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. ВНИМАНИЕ: Платформа фильтрации Windows не включена с драйвером, поэтому эти правила будут применяться только в пользовательском режиме и не могут быть применены!!! Это означает, что вредоносные приложения могут их обойти. - + Resource Access Доступ к ресурсам - + Add File/Folder Добавить файл/папку - + Add Wnd Class Добавить Wnd класс - + Add IPC Path Добавит путь IPC - + Add Reg Key Добавить ключ реестра - + Add COM Object Добавить COM объект - + File Recovery Восстановление файлов - + Quick Recovery Быстрое восстановление - + Add Folder Добавить папку - + Immediate Recovery Немедленное восстановление - + Ignore Extension Игнорировать расширение - + Ignore Folder Игнорировать папку - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Включить запрос немедленного восстановления, чтобы иметь возможность восстанавливать файлы сразу после их создания. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Вы можете исключить папки и типы файлов (или расширения файлов) из немедленного восстановления. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. При вызове функции быстрого восстановления следующие папки будут проверяться на наличие изолированного содержимого. - + Advanced Options Расширенные опции - + Miscellaneous Разное - + Don't alter window class names created by sandboxed programs Не изменять имена классов окон, созданные изолированными программами - + Do not start sandboxed services using a system token (recommended) Не запускать изолированные службы с использованием системного токена (рекомендуется) - - - - - - - + + + + + + + Protect the sandbox integrity itself Защитить целостность самой песочницы - + Drop critical privileges from processes running with a SYSTEM token Отбросить критические привилегии от процессов, работающих с токеном SYSTEM - - + + (Security Critical) (Критично для безопасности) - + Protect sandboxed SYSTEM processes from unprivileged processes Защитить изолированные процессы SYSTEM от непривилегированных процессов - + Force usage of custom dummy Manifest files (legacy behaviour) Принудительное использование пользовательских фиктивных файлов манифеста (устаревшее поведение) - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. Специфика правила - это мера того, насколько хорошо данное правило соответствует определенному пути, проще говоря, специфичность - это длина символов от начала пути до последней совпадающей подстроки без подстановочных знаков включительно. Правило, которое соответствует только таким типам файлов, как "*.tmp" будет иметь наивысшую специфичность, так как всегда будет соответствовать всему пути к файлу. Уровень соответствия процесса имеет более высокий приоритет, чем специфичность, и описывает, как правило применяется к данному процессу. Правила, применяемые по имени процесса или группе, имеют самый строгий уровень соответствия, за которым следует соответствие по отрицанию (т.е. правила, применяемые ко всем процессам, кроме данного), в то время как самые низкие уровни соответствия имеют глобальные совпадения, то есть правила, которые применяются к любому процессу. - + Prioritize rules based on their Specificity and Process Match Level Приоритет правил на основе их специфики и уровня соответствия процесса - + Privacy Mode, block file and registry access to all locations except the generic system ones Режим конфиденциальности, блокировка доступа к файлам и реестру для всех мест, кроме общих системных - + Access Mode Режим доступа - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Когда включен режим конфиденциальности, изолированные процессы смогут читать только C:\Windows\*, C:\Program Files\* и части реестра HKLM, для всех остальных мест потребуется явный доступ, для чтения и/или записи. В этом режиме всегда включена специфика правила. - + Rule Policies Правила политик - + Apply File and Key Open directives only to binaries located outside the sandbox. Применить директивы открытия файлов и ключей только к двоичным файлам, расположенным вне песочницы. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Запускать изолированный RpcSs как СИСТЕМНЫЙ процесс (не рекомендуется) - + Allow only privileged processes to access the Service Control Manager Разрешить доступ к диспетчеру управления службами только привилегированным процессам - - + + Compatibility Совместимость - + Add sandboxed processes to job objects (recommended) Добавить изолированные процессы к объектам задания (рекомендуется) - + Emulate sandboxed window station for all processes Эмуляция оконной станции в песочнице для всех процессов - + Allow use of nested job objects (works on Windows 8 and later) Разрешить использование вложенных объектов заданий (работает в Windows 8 и новее) - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Изоляция безопасности за счет использования сильно ограниченного токена процесса - это основное средство Sandboxie для принудительного применения ограничений песочницы, когда она отключена, песочница работает в режиме контейнера для приложения, то есть она больше не обеспечивает надежную безопасность, а только простое разделение приложений. - + Allow sandboxed programs to manage Hardware/Devices Разрешить изолированным программам управлять оборудованием/устройствами - + Open access to Windows Security Account Manager Открытый доступ к диспетчеру учетных записей безопасности Windows - + Open access to Windows Local Security Authority Открыть доступ к серверу проверки подлинности локальной системы безопасности - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Отключить использование RpcMgmtSetComTimeout по умолчанию (это может решить проблемы совместимости) - + Security Isolation & Filtering Изоляция безопасности & Фильтрация - + Disable Security Filtering (not recommended) Отключить фильтрацию безопасности (не рекомендуется) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Фильтрация безопасности, используется Sandboxie для наложения ограничений на доступ к файловой системе и реестру, а также для ограничения доступа к процессам. - + The below options can be used safely when you don't grant admin rights. Приведенные ниже опции можно безопасно использовать, если вы не предоставляете прав администратора. - + These commands are run UNBOXED after all processes in the sandbox have finished. Эти команды запускаются ВНЕ ПЕСОЧНИЦЫ после завершения всех процессов в песочнице. @@ -8134,124 +8269,124 @@ The process match level has a higher priority than the specificity and describes Скрыть процессы - + Add Process Добавить процесс - + Hide host processes from processes running in the sandbox. Скрыть хост-процессы от процессов, запущенных в песочнице. - + Don't allow sandboxed processes to see processes running in other boxes Не позволять изолированным процессам видеть процессы, запущенные в других песочницах - + Prevent sandboxed processes from interfering with power operations (Experimental) Предотвращение вмешательства изолированных процессов в работу электропитания (Экспериментально) - + Prevent interference with the user interface (Experimental) Предотвратить вмешательство в пользовательский интерфейс (Экспериментально) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) Запретить изолированным процессам захват изображений окон (Экспериментально, может вызвать сбои в пользовательском интерфейсе) - + Port Blocking Блокировка портов - + Block common SAMBA ports Блокировать общие SAMBA порты - + Block DNS, UDP port 53 Блокировать DNS, UDP-порт 53 - + Limit restrictions Ограничения по лимитам - - - + + + Leave it blank to disable the setting Оставьте поле пустым, чтобы отключить настройку - + Total Processes Number Limit: Лимит общего количества процессов: - + Total Processes Memory Limit: Лимит памяти всех процессов: - + Single Process Memory Limit: Лимит памяти одного процесса: - + Restart force process before they begin to execute Принудительно перезапустить процесс до того, как он начнет выполняться - + On Box Terminate При завершении песочницы - + Hide Disk Serial Number Скрыть серийный номер накопителя - + Obfuscate known unique identifiers in the registry Обфусцировать известные уникальные идентификаторы в реестре - + Don't allow sandboxed processes to see processes running outside any boxes Не позволять изолированным процессам видеть процессы, запущенные за пределами песочницы - + Hide Network Adapter MAC Address - + Users Пользователи - + Restrict Resource Access monitor to administrators only Ограничить мониторинг доступа к ресурсам только администраторам - + Add User Добавить пользователя - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8260,27 +8395,27 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Примечание. Параметры принудительных программ и принудительных папок для песочницы не применяются к учетным записям пользователей, которые не могут использовать эту песочницу. - + Tracing Трассировка - + Pipe Trace Трассировка pipe - + API call Trace (traces all SBIE hooks) API-вызов Trace (отслеживает все хуки SBIE) - + Log all SetError's to Trace log (creates a lot of output) Записывать все SetError в журнал трассировки (создает много выходных данных) - + Log Debug Output to the Trace Log Записывать вывод отладки в журнал трассировки @@ -8290,132 +8425,132 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Всегда показывать эту песочницу в системном трее (закреплено) - + Security enhancements Улучшения безопасности - + Use the original token only for approved NT system calls Использовать исходный токен только для разрешенных системных вызовов NT - + Restrict driver/device access to only approved ones Ограничить доступ к драйверу/устройству только утвержденными - + Enable all security enhancements (make security hardened box) Включить все улучшения безопасности (сделать защищенную песочницу) - + Allow to read memory of unsandboxed processes (not recommended) Разрешить чтение памяти процессов вне песочницы (не рекомендуется) - + Issue message 2111 when a process access is denied Выдать сообщение 2111, когда доступ к процессу запрещен - + Triggers Триггеры - + Event Событие - - - - + + + + Run Command Выполнить комманду - + Start Service Запустить службу - + These events are executed each time a box is started Эти события выполняются каждый раз при запуске песочницы - + On Box Start При запуске песочницы - - + + These commands are run UNBOXED just before the box content is deleted Эти команды запускаются вне песочницы непосредственно перед удалением содержимого песочницы - + Apply ElevateCreateProcess Workaround (legacy behaviour) Применение обходного пути ElevateCreateProcess (устаревшее поведение) - + Use desktop object workaround for all processes Использовать обходной путь для объектов рабочего стола для всех процессов - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Эти команды выполняются только при инициализации песочницы. Чтобы они снова запустились, содержимое песочницы должно быть удалено. - + On Box Init При инициализации песочницы - + Here you can specify actions to be executed automatically on various box events. Здесь вы можете указать действия, которые будут выполняться автоматически при различных событиях песочницы. - + On Delete Content При удалении контента - + Protect processes in this box from being accessed by specified unsandboxed host processes. Защитить процессы в этой песочнице от доступа указанными неизолированным хост-процессами. - - + + Process Процесс - + Add Option Добавить опцию - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Здесь вы можете настроить расширенные опции для каждого процесса, чтобы улучшить совместимость и/или настроить поведение песочницы. - + Option Опция - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8434,103 +8569,103 @@ instead of "*". вместо "*". - + File Trace Трассировка файлов - + Disable Resource Access Monitor Отключить монитор доступа к ресурсам - + IPC Trace Трассировка IPC - + GUI Trace Трассировка GUI - + Resource Access Monitor Монитор доступа к ресурсам - + Access Tracing Отслеживание доступа - + COM Class Trace Трассировка COM класса - + Key Trace Трассировка ключей - - + + Network Firewall Сетевой брандмауэр - + Debug Отладка - + WARNING, these options can disable core security guarantees and break sandbox security!!! ВНИМАНИЕ: эти опции могут отключить основные гарантии безопасности и нарушить безопасность песочницы!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Эти опции предназначены для устранения проблем совместимости, не используйте их в продакшен среде. - + App Templates Шаблоны приложений - + Filter Categories Категории фильтров - + Text Filter Текстовый фильтр - + Add Template Добавить шаблон - + This list contains a large amount of sandbox compatibility enhancing templates Этот список содержит большое количество шаблонов для улучшения совместимости песочницы - + Category Категория - + Template Folders Папки шаблонов - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8539,147 +8674,147 @@ Please note that this values are currently user specific and saved globally for Обратите внимание, что эти значения в настоящее время специфичны для пользователя и сохраняются глобально для всех песочниц. - - + + Value Значение - + Accessibility Доступность - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Чтобы компенсировать потерю защиты, обратитесь к странице настроек Сброс прав в группе настроек Ограничения. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Чтение экрана: JAWS, NVDA, Window-Eyes, System Access - + Various Options Различные опции - + This command will be run before the box content will be deleted Эта команда будет запущена до того, как содержимое песочницы будет удалено - + On File Recovery При восстановлении файлов - + Bypass IPs Исключенные IP-адреса - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked Эта команда будет запущена перед восстановлением файла, и путь к файлу будет передан в качестве первого аргумента. Если эта команда возвращает значение, отличное от 0, восстановление будет заблокировано - + Run File Checker Запустить проверку файлов - + Privacy Конфиденциальность - + Hide Firmware Information Hide Firmware Informations Скрыть информацию о встроенном ПО - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. Некоторые программы читают системные данные через WMI (встроенную базу данных Windows), а не обычными способами. Например, «tasklist.exe» может получить полный список процессов через доступ к WMI, даже если используется опция «HideOtherBoxes». Включите эту опцию, чтобы остановить такое поведение. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) Запретить процессам в песочнице получать доступ к системным данным через WMI (см. всплывающую подсказку для дополнительной информации) - + Process Hiding Скрытие процессов - + Use a custom Locale/LangID Использовать пользовательский Язык/LangID - + Data Protection Защита данных - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom Дамп текущей таблицы прошивки в HKCU\System\SbieCustom - + Dump FW Tables Дамп FW таблиц - + DNS Request Logging Журналирование DNS-запросов - + Syscall Trace (creates a lot of output) Трассировка системных вызовов (создает много выходных данных) - + Templates Шаблоны - + Open Template Открыть шаблон - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Следующие настройки позволяют использовать Sandboxie в сочетании с программным обеспечением специальных возможностей. Обратите внимание, что когда действуют эти настройки, определенная степень защиты Sandboxie обязательно теряется. - + Edit ini Section Редактировать раздел ini - + Edit ini Редактировать ini - + Cancel Отмена - + Save Сохранить @@ -8695,7 +8830,7 @@ Please note that this values are currently user specific and saved globally for ProgramsDelegate - + Group: %1 Группа: %1 @@ -8703,7 +8838,7 @@ Please note that this values are currently user specific and saved globally for QObject - + Drive %1 Диск %1 @@ -8711,27 +8846,27 @@ Please note that this values are currently user specific and saved globally for QPlatformTheme - + OK ОК - + Apply Применить - + Cancel Отмена - + &Yes Да (&Y) - + &No Нет (&N) @@ -8744,7 +8879,7 @@ Please note that this values are currently user specific and saved globally for SandboxiePlus - Восстановление - + Close Закрыть @@ -8764,27 +8899,27 @@ Please note that this values are currently user specific and saved globally for Удалить содержимое - + Recover Восстановить - + Refresh Обновить - + Delete Удалить - + Show All Files Показать все файлы - + TextLabel Текстовая метка @@ -8850,17 +8985,17 @@ Please note that this values are currently user specific and saved globally for Общая конфигурация - + Show file recovery window when emptying sandboxes Показывать окно восстановления файлов при очистке песочниц - + Open urls from this ui sandboxed Открывать URL-адреса из этого пользовательского интерфейса в песочнице - + Systray options Опции системного трея @@ -8870,87 +9005,87 @@ Please note that this values are currently user specific and saved globally for Язык пользовательского интерфейса: - + Shell Integration Интеграция с оболочкой - + Run Sandboxed - Actions Запуск в песочнице - Действия - + Start Sandbox Manager Запустить диспетчер песочницы - + Start UI when a sandboxed process is started Запуск пользовательского интерфейса при запуске изолированного процесса - + Start UI with Windows Запуск пользовательского интерфейса с Windows - + Add 'Run Sandboxed' to the explorer context menu Добавить 'Запустить в песочнице' в контекстное меню проводника - + Hotkey for terminating all boxed processes: Горячая клавиша для завершения всех процессов в песочнице: - + Always use DefaultBox Всегда использовать DefaultBox - + Show a tray notification when automatic box operations are started Показывать уведомление в трее при запуске автоматических операций с песочницами - + Advanced Config Расширенная конфигурация - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Песочница <a href="sbie://docs/filerootpath">корень файловой системы</a>: - + Clear password when main window becomes hidden Очистить пароль, когда главное окно сворачивается - + Activate Kernel Mode Object Filtering Активировать фильтрацию объектов в режиме ядра - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Песочница <a href="sbie://docs/ipcrootpath">корень ipc</a>: - + Sandbox default Песочница по умолчанию - + Config protection Защита конфигурации - + ... ... @@ -8960,223 +9095,223 @@ Please note that this values are currently user specific and saved globally for Опции SandMan - + Notifications Уведомления - + Add Entry Добавить запись - + Show file migration progress when copying large files into a sandbox Показывать прогресс переноса файлов при копировании больших файлов в песочницу - + Message ID ID сообщения - + Message Text (optional) Текст сообщения (необязательно) - + SBIE Messages Сообщения SBIE - + Delete Entry Удалить запись - + Notification Options Опции уведомлений - + Windows Shell Оболочка Windows - + Move Up Сдвинуть вверх - + Move Down Сдвинуть вниз - + Show overlay icons for boxes and processes Показать оверлей иконки для песочниц и процессов - + Hide Sandboxie's own processes from the task list Скрыть собственные процессы Sandboxie из списка задач - - + + Interface Options Опции интерфейса - + Ini Editor Font Шрифт редактора Ini - + Graphic Options Опции графики - + Select font Выбор шрифта - + Reset font Сброс шрифта - + # - + Add-Ons Manager Менеджер дополнений - + Optional Add-Ons Опциональные дополнения - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus предлагает множество опций и поддерживает множество расширений. На этой странице вы можете настроить интеграцию дополнений, плагинов и других сторонних компонентов. Дополнительные компоненты можно загрузить из Интернета, а для некоторых установок могут потребоваться права администратора. - + Status Статус - + Description Описание - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">обновить список дополнений сейчас</a> - + Install Установить - + Sandboxie Support Sandboxie поддержка - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Сторонники проекта Sandboxie-Plus могут получить <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертификат сторонника</a>. Это похоже на лицензионный ключ, но для замечательных людей, использующих программное обеспечение с открытым исходным кодом. :-) - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Поддержание Sandboxie в актуальном состоянии со скользящими выпусками Windows и совместимости со всеми веб-браузерами - это бесконечная работа. Вы можете поддержать разработку, <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">внеся непосредственный вклад в проект</a> и проявив свою поддержку <a href= "https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">купив сертификат сторонника</a>, стать покровителем <a href="https://sandboxie-plus. com/go.php?to=patreon">подписавшись на Patreon</a> или через <a href="https://sandboxie-plus.com/go.php?to=donate">пожертвование PayPal</ a>.<br />Ваша поддержка играет жизненно важную роль в развитии и обслуживании Sandboxie. - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Песочница <a href="sbie://docs/keyrootpath">корень реестра</a>: - + Sandboxing features Возможности песочницы - + Sandboxie.ini Presets Пресеты Sandboxie.ini - + Change Password Изменить пароль - + Password must be entered in order to make changes Для внесения изменений необходимо ввести пароль - + Only Administrator user accounts can make changes Только учетная запись администратора может вносить изменения - + Watch Sandboxie.ini for changes Следить за изменениями в Sandboxie.ini - + App Templates Шаблоны приложений - + App Compatibility Совместимость приложений - + Only Administrator user accounts can use Pause Forcing Programs command Только учетная запись администратора может использовать команду 'Приостановить принудительные программы' - + Run box operations asynchronously whenever possible (like content deletion) Выполнять операции с песочницами асинхронно, когда это возможно (например, удаление содержимого) - + Portable root folder Корневая папка портативной версии - + Show recoverable files as notifications Показывать восстанавливаемые файлы в виде уведомлений - + Show Icon in Systray: Показать песочницы в списке трея: - + Show boxes in tray list: Показать песочницы в списке трея: @@ -9186,616 +9321,626 @@ Please note that this values are currently user specific and saved globally for Общие опции - + Add 'Run Un-Sandboxed' to the context menu Добавить 'Запустить без песочницы' в контекстное меню - + Use Windows Filtering Platform to restrict network access Использовать платформу фильтрации Windows для ограничения доступа к сети - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Перехватить выбранные системные вызовы Win32k, чтобы включить ускорение графического процессора (экспериментально) - + Count and display the disk space occupied by each sandbox Подсчитать и отобразить дисковое пространство, занимаемое каждой песочницей - + Use Compact Box List Использовать компактный список песочниц - + Interface Config Конфигурация интерфейса - + Show "Pizza" Background in box list * Показать фон "Пицца" в списке песочниц * - + Make Box Icons match the Border Color Окрасить значки песочниц цветом рамки - + Use a Page Tree in the Box Options instead of Nested Tabs * Использовать дерево страниц в опциях песочницы вместо вложенных вкладок * - + Use large icons in box list * Использовать большие значки в списке песочниц * - + High DPI Scaling Масштабирование с высоким разрешением - + Don't show icons in menus * Не показывать значки в меню * - + Use Dark Theme Использовать тёмную тему - + Font Scaling Масштабирование шрифта - + (Restart required) (требуется перезагрузка) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * частично установленный флажок оставит поведение, определяемое режимом отображения. - + Show the Recovery Window as Always on Top Показывать окно восстановления поверх других - + % % - + Alternate row background in lists Альтернативный фон строки в списках - + Use Fusion Theme Использовать тему Fusion - - - - - + + + + + Name Имя - + Path Путь - + Remove Program Удалить программу - + Add Program Добавить программу - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Когда любая из следующих программ запускается вне любой песочницы, Sandboxie выдаст сообщение SBIE1301. - + Add Folder Добавить папку - + Prevent the listed programs from starting on this system Запретить запуск перечисленных программ в этой системе - + Issue message 1308 when a program fails to start Сообщение о проблеме 1308, когда программа не запускается - + Recovery Options Опции восстановления - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie может выдавать <a href="sbie://docs/sbiemessages">сообщения SBIE</a> в журнал сообщений и отображать их как всплывающие окна. Некоторые сообщения носят информационный характер и уведомляют об общих или, в некоторых случаях, особых событиях, которые произошли, другие сообщения указывают на состояние ошибки.<br />Вы можете скрыть выбранные сообщения SBIE от всплывающих окон, используя список ниже: - + Disable SBIE messages popups (they will still be logged to the Messages tab) Отключить всплывающие окна сообщений SBIE (они по-прежнему будут регистрироваться на вкладке "Сообщения") - + Start Menu Integration Интеграция меню "Пуск" - + Scan shell folders and offer links in run menu Сканировать папки оболочки и предлагать ссылки в меню запуска - + Integrate with Host Start Menu Интеграция с меню "Пуск" хоста - + Use new config dialog layout * Использовать новый макет диалогового окна конфигурации * - + Program Control Контроль программ - + Program Alerts Оповещения программы - + Issue message 1301 when forced processes has been disabled Выдать сообщение 1301, когда принудительные процессы были отключены - + Sandboxie Config Конфигурация Sandboxie - + This option also enables asynchronous operation when needed and suspends updates. Эта опция также включает асинхронную работу, когда это необходимо, и приостанавливает обновления. - + Suppress pop-up notifications when in game / presentation mode Подавление всплывающих уведомлений в режиме игры/презентации - + User Interface Пользовательский интерфейс - + Run Menu Меню запуска - + Add program Добавить программу - + You can configure custom entries for all sandboxes run menus. Вы можете настроить пользовательские записи для всех меню запуска песочниц. - - - + + + Remove Удалить - + Command Line Командная строка - + Ini Options Опции Ini - + External Ini Editor Внешний Ini-редактор - + Version Версия - + Add-On Configuration Конфигурация дополнений - + Enable Ram Disk creation Включить создание Ram Disk - + kilobytes килобайт - + Disk Image Support Поддержка образа диска - + RAM Limit Ограничение ОЗУ - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Установить ImDisk</a> драйвер, чтобы включить поддержку Ram Disk и Disk Image. - + Hotkey for bringing sandman to the top: Горячая клавиша для вывода sandman наверх: - + Hotkey for suspending process/folder forcing: Горячая клавиша для принуд. приостановки процесса/папки: - + Hotkey for suspending all processes: Горячая клавиша для приостановки всех процессов: - + Check sandboxes' auto-delete status when Sandman starts Проверить статус автоматического удаления песочниц при запуске Sandman - + Integrate with Host Desktop Интеграция с хостовым рабочим столом - + System Tray Системный трей - + On main window close: При закрытии главного окна: - + Open/Close from/to tray with a single click Открыть/закрыть из/в трей одним щелчком мыши - + Minimize to tray Скрыть в системный трей - + Hide SandMan windows from screen capture (UI restart required) Скрыть окна SandMan при захвате экрана (требуется перезапуск пользовательского интерфейса) - + Assign drive letter to Ram Disk Назначить букву диска Ram Disk - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. Если Ram Disk уже смонтирован, вам необходимо отключить его, чтобы эта опция вступила в силу. - + * takes effect on disk creation * вступает в силу при создании диска - + Support && Updates Поддержка и обновления - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Срок действия этого сертификата сторонника истек. Пожалуйста, <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">получите обновленный сертификат</a>. - + Get Получить - + Retrieve/Upgrade/Renew certificate using Serial Number Получить/улучшить/обновить сертификат, используя серийный номер - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu Добавить 'Установить силу в песочнице' в контекстное меню - + Add 'Set Open Path in Sandbox' to context menu Добавить 'Установить путь открытия в песочнице' в контекстное меню - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Руководство по использованию сертификата</a> - + HwId: 00000000-0000-0000-0000-000000000000 HwId: 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits - + Cert Info Информация о сертификате - + Sandboxie Updater Sandboxie cредство обновления - + Keep add-on list up to date Поддерживать список дополнений в актуальном состоянии - + Update Settings Настройки обновления - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Канал инсайдер предлагает ранний доступ к новым функциям и исправлениям ошибок, которые в конечном итоге будут опубликованы, а также ко всем соответствующим улучшениям из стабильного канала. В отличие от канала предварительного просмотра, он не включает непроверенные, потенциально критические или экспериментальные изменения, которые могут быть не готовы для более широкого использования. - + Search in the Insider channel Поиск в канале инсайдер - + New full installers from the selected release channel. Новые полные установщики из выбранного канала выпуска. - + Full Upgrades Полные обновления - + Check periodically for new Sandboxie-Plus versions Периодически проверять наличие новых версий Sandboxie-Plus - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> Подробнее об <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">инсайдер канале</a> - + Keep Troubleshooting scripts up to date Обновлять сценарии устранения неполадок - + Update Check Interval Интервал проверки обновлений - + Default sandbox: Песочница по умолчанию: - + Use a Sandboxie login instead of an anonymous token Использовать логин Sandboxie вместо анонимного токена - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) Добавить группу "Sandboxie\All Sandboxes" в изолированный токен (Экспериментально) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Always run SandMan UI as Admin Всегда запускать SandMan UI от имени администратора - + USB Drive Sandboxing Песочница с USB-накопителем - + Volume Том - + Information Информация - + Sandbox for USB drives: Песочница для USB-накопителей: - + Automatically sandbox all attached USB drives Автоматически помещать в песочницу все подключенные USB-накопители - + In the future, don't check software compatibility В будущем не проверять совместимость программного обеспечения - + Enable Включить - + Disable Отключить - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie обнаружила в вашей системе следующие программы. Нажмите OK, чтобы применить настройки конфигурации, которые улучшат совместимость с этими приложениями. Эти параметры конфигурации будут действовать во всех существующих песочницах и в любых новых песочницах. - + Local Templates Локальные шаблоны - + Add Template Добавить шаблон - + Text Filter Текстовый фильтр - + This list contains user created custom templates for sandbox options Этот список содержит созданные пользователем настраиваемые шаблоны для опций песочницы - + Open Template Открыть шаблон - + Edit ini Section Редактировать раздел ini - + Save Сохранить - + Edit ini Редактировать ini - + Cancel Отмена - + Incremental Updates Инкрементные обновления - + Hotpatches for the installed version, updates to the Templates.ini and translations. Хотпатчи для установленной версии, обновления Templates.ini и переводов. - + The preview channel contains the latest GitHub pre-releases. Канал Preview содержит последние предварительные выпуски GitHub. - + The stable channel contains the latest stable GitHub releases. Канал Stable содержит последние стабильные выпуски GitHub. - + Search in the Stable channel Поиск в канале Stable - + Search in the Preview channel Поиск в канале Preview - + In the future, don't notify about certificate expiration В будущем не уведомлять об истечении срока действия сертификата - + Enter the support certificate here Введите здесь сертификат сторонника @@ -9818,37 +9963,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, Имя: - + Description: Описание: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. При удалении содержимого снимка, оно будет возвращено этому снимку, а не пустому. - + Default snapshot Снимок по умолчанию - + Snapshot Actions Действия со снимками - + Remove Snapshot Удалить снимок - + Go to Snapshot Перейти к снимку - + Take Snapshot Сделать снимок diff --git a/SandboxiePlus/SandMan/sandman_sv_SE.ts b/SandboxiePlus/SandMan/sandman_sv_SE.ts index 13b6806b..ba9de9c9 100644 --- a/SandboxiePlus/SandMan/sandman_sv_SE.ts +++ b/SandboxiePlus/SandMan/sandman_sv_SE.ts @@ -9,53 +9,53 @@ Formulär - + kilobytes kilobyte - + Protect Box Root from access by unsandboxed processes Skydda lådans root från tillgång av osandlådade processer - - + + TextLabel Textetikett - + Show Password Visa lösenord - + Enter Password För in lösenord - + New Password Nytt lösenord - + Repeat Password Upprepa lösenordet - + Disk Image Size Diskavbildsstorlek> - + Encryption Cipher Krypteringschiffer - + Lock the box when all processes stop. Lås lådan när alla processer stoppar. @@ -63,55 +63,55 @@ CAddonManager - + Do you want to download and install %1? Vill du nedladda och installera %1? - + Installing: %1 Installerar: %1 - + Add-on not found, please try updating the add-on list in the global settings! Tillägget hittades inte, vänligen försök uppdatera tilläggslistan i Globala inställningar! - + Add-on Not Found Tillägget hittades inte - + Add-on is not available for this platform Addon is not available for this paltform Tillägg är inte tillgängligt för denna plattform - + Missing installation instructions Missing installation instructions Saknade installationsinstruktioner - + Executing add-on setup failed Verkställande av tilläggsinstallation misslyckades - + Failed to delete a file during add-on removal Lyckades inte radera en fil vid tilläggsborttagande - + Updater failed to perform add-on operation Updater failed to perform plugin operation Uppdateraren lyckades inte utföra operationen för tillägget - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 Uppdateraren lyckades inte utföra operationen för tillägget, fel: %1 @@ -160,17 +160,17 @@ Tilläggsinstallering misslyckades! - + Do you want to remove %1? Vill du ta bort %1? - + Removing: %1 Tar bort: %1 - + Add-on not found! Tillägget hittades inte! @@ -191,12 +191,12 @@ CAdvancedPage - + Advanced Sandbox options Avancerade sandlådealternativ - + On this page advanced sandbox options can be configured. På denna sida kan avancerade sandlådealternativ konfigureras. @@ -247,43 +247,43 @@ Använd en Sandboxie-inloggning istället för ett anonymt tecken - + Advanced Options Avancerade alternativ - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Förhindra sandlådade program installerade på värden från att ladda sandlådade DLL:s - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. Denna egenskap kan reducera kompatibilitet då den även förhindrar lådlokaliserade processer från att skriva till värdlokaliserade sådana och även starta dem. - + Prevent sandboxed windows from being captured Förhindra sandlådade fönster från att bli fångade - + This feature can cause a decline in the user experience because it also prevents normal screenshots. Denna egenskap kan orsaka en minskning av användarupplevelsen då den också förhindrar normala skärmbilder. - + Shared Template Delad mall - + Shared template mode Delat mallläge - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -294,30 +294,40 @@ För att ändra mallens inställningar, lokalisera helt enkelt '%1' -m För att inaktivera denna mall för en sandlåda, avbocka den helt enkelt i mall listan. - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. Detta alternativ adderar inga inställningar till lådkonfigurationen och tar inte bort de förvalda lådinställningarna baserade på borttagningsinställningarna inom mallen. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. Detta alternativ adderar den delade mallen till lådkonfigurationen som en lokal mall och kanske också tar bort de förvalda lådinställningarna baserade på borttagningsinställningarna inom mallen. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. Detta alternativ adderar inställningarna från den delade mallen till lådkonfigurationen och kanske också tar bort de förvalda lådinställningarna baserat på borttagningsinställningarna inom mallen. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. Detta alternativ adderar inte några inställningar till lådkonfigurationen, men kanske tar bort de förvalda lådinställningarna baserat på borttagningsinställningarna inom mallen. - + Remove defaults if set Ta bort förvalda om angivet + + + Shared template selection + Valet Delad mall + + + + This option specifies the template to be used in shared template mode. (%1) + Detta alternativ specificerar mallen att användas i läget Delad mall. (%1) + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. @@ -329,17 +339,17 @@ För att ändra mallinställningarna, lokalisera helt enkelt "DeladMall&quo För att inaktivera denna mall för en sandlåda, avbocka den helt enkelt i malllistan. - + Disabled Inaktiverad - + Use as a template Använd som en mall - + Append to the configuration Bifoga till konfigurationen @@ -470,17 +480,17 @@ För att inaktivera denna mall för en sandlåda, avbocka den helt enkelt i mall För in krypteringslösenorden för arkivimport: - + kilobytes (%1) kilobytes (%1) - + Passwords don't match!!! Lösenorden matchar inte! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -489,7 +499,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are Det rekommenderas att välja ett lösenord bestående av 20 tecken eller mer. Säkert att du vill använda ett kort lösenord? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -498,7 +508,7 @@ Denna längd tillåter ungefär 384-bitar av entropi med en lösenfras komponera utökas till 512-bitar med tillämpandet av Leet (L337) talmodifikationer, och övergår 768-bitar vid komponering av fullständigt slumpmässiga tryckbara ASCII tecken. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. Låddiskavbilden måste vara minst 256MB i storlek, 2GB är rekommenderat. @@ -514,22 +524,22 @@ utökas till 512-bitar med tillämpandet av Leet (L337) talmodifikationer, och CBoxTypePage - + Create new Sandbox Skapa ny sandlåda - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. En sandlåda isolerar ditt värdsystem från processer körandes i lådan, den förhindrar dem från att göra permanenta ändringar till andra program och data i din dator. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. En sandlåda isolerar ditt värdsystem från processer körandes i lådan, den förhindrar dem från att göra permanenta ändringar i andra program och i data i din dator. Nivån av isolering påverkar din säkerhet såväl som kompatibiliteten med applikationer, därav kommer det vara olika nivåer av isolering beroende på den valda lådtypen. Sandboxie kan också skydda dina personliga data från tillgång av processer körandes under dess övervakning. - + Enter box name: För in lådnamn: @@ -538,18 +548,18 @@ utökas till 512-bitar med tillämpandet av Leet (L337) talmodifikationer, och Ny låda - + Select box type: Sellect box type: Välj lådtyp: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/security-mode">Säkerhetshärdad</a> sandlåda med <a href="sbie://docs/privacy-mode">dataskydd</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -558,59 +568,59 @@ Den begränsar strikt tillgång till användardata, tillåter processer i denna Hela användarprofilen förblir dold, säkerställande maximal säkerhet. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox <a href="sbie://docs/security-mode">Säkerhetshärdad</a> sandlåda - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Denna lådtyp erbjuder den högsta nivån av skydd via signifikant reducering av utsatt attackyta hos sandlådade processer. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> Sandlåda med <a href="sbie://docs/privacy-mode">dataskydd</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. I denna lådtyp, är sandlådade processer förhindrade från att tillgå några personliga användarfiler eller data. Fokuset är på att skydda användardata, och då är, endast C:\Windows och C:\Program Files kataloger tillgängliga till processer körandes i denna sandlåda. Detta säkerställer att personliga filer förblir säkra. - + Standard Sandbox Standardsandlåda - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Denna lådtyp erbjuder standardbeteendet hos Sandboxie classic. Det tillhandahåller användare med ett familjärt och pålitligt sandboxningsarrangemang. Applikationer kan köras i denna sandlåda, säkerställandes att de opererar inom ett kontrollerat och isolerat utrymme. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/compartment-mode">Applikationutrymmeslåda</a> med <a href="sbie://docs/privacy-mode">dataskydd</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Denna lådtyp prioriterar kompatibilitet medans fortfarande tillhandahålla en god nivå av isolering. Den är designad för att köra pålitliga applikationer i separata utrymmen. Emedan nivån av isolering är reducerad jämfört med andra lådtyper, erbjuder den förbättrad kompatibilitet med ett brett omfång av applikationer, säkerställandes smidigt opererande inom den sandlådade miljön. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">Applikationutrymmeslåda</a> - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">Kryptera</a> lådinnehåll och ange <a href="sbie://docs/black-box">Konfidentiellt</a> @@ -619,7 +629,7 @@ Emedan nivån av isolering är reducerad jämfört med andra lådtyper, erbjuder <a href="sbie://docs/boxencryption">Krypterad</a> <a href="sbie://docs/black-box">konfidentiell</a> låda - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -628,42 +638,42 @@ Tillgång till den virtuella disken vid montering är begränsad till program k Detta säkerställer den yttersta nivån av integritets- och dataskydd inom den konfidentiella sandlådemiljön. - + Hardened Sandbox with Data Protection Härdad sandlåda med dataskydd - + Security Hardened Sandbox Säkerhetshärdad sandlåda - + Sandbox with Data Protection Sandlåda med dataskydd - + Standard Isolation Sandbox (Default) Standardisolerad sandlåda (standard) - + Application Compartment with Data Protection Applikationsutrymme med dataskydd - + Application Compartment Box Applikationutrymmeslåda - + Confidential Encrypted Box Konfidentiell krypterad låda - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? För att använda krypterade lådor behöver du installera ImDisk:s drivrutin, vill du nerladda och installera den? @@ -673,17 +683,17 @@ Detta säkerställer den yttersta nivån av integritets- och dataskydd inom den Applikationsutrymme (INGEN isolering) - + Remove after use Ta bort efter användande - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Efter att den sista processen i lådan avslutats, kommer alla data i lådan raderas och själva lådan tas bort. - + Configure advanced options Konfigurera avancerade alternativ @@ -904,13 +914,13 @@ Vänligen gå till korrekt användarprofilskatalog. <b><a href="_"><font color='red'>Get a free evaluation certificate</font></a> and enjoy all premium features for %1 days.</b> - + <b><a href="_"><font color='red'>Få ett gratis evalueringscertificat</font></a> och njut av alla premiumegenskaper i %1 dagar.</b> You can request a free %1-day evaluation certificate up to %2 times per hardware ID. You can request a free %1-day evaluation certificate up to %2 times for any one Hardware ID - + Du kan begära ett gratis %1 dagars evalueringscertificat upp till %2 gånger per hårdvaru-ID. @@ -983,36 +993,64 @@ Du kan klicka på Avsluta för att stänga denna guide. Sandboxie-Plus - Sandlådeexport - + + 7-Zip + 7-Zip + + + + Zip + Zip + + + Store Lagra - + Fastest Snabbaste - + Fast Snabb - + Normal Vanlig - + Maximum Maximal - + Ultra Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + Sandboxie Plus - Sandlådeimport + + + + Select Directory + Välj katalog + + + + This name is already in use, please select an alternative box name + Detta namn används redan, vänligen välj ett alternativt lådnamn + + CFileBrowserWindow @@ -1082,13 +1120,13 @@ Du kan klicka på Avsluta för att stänga denna guide. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure Sandlådeplats och beteende - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -1097,64 +1135,64 @@ You can use %USER% to save each users sandbox to an own fodler. Du kan använda %ANVÄNDARE% för att spara varje användares sandlåda till en egen mapp. - + Sandboxed Files Sandlådade filer - + Select Directory Välj katalog - + Virtualization scheme Virtualiseringsschema - + Version 1 Version 1 - + Version 2 Version 2 - + Separate user folders Separata användarmappar - + Use volume serial numbers for drives Använd volymserienummer för enheter - + Auto delete content when last process terminates Autoradera innehåll när sista processen avslutar - + Enable Immediate Recovery of files from recovery locations Aktivera Omedelbart återställande av filer från återställningsplatser - + The selected box location is not a valid path. The sellected box location is not a valid path. Den valda lådplatsen är inte en giltig sökväg. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? Den valda lådplatsen existerar och är inte tom, det rekommenderas att välja en ny eller tom mapp. Säkert att du vill använda en existerande mapp? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. Den valda lådplatsen är inte placerad på en nuvarande tillgänglig enhet. @@ -1300,83 +1338,83 @@ Du kan använda %ANVÄNDARE% för att spara varje användares sandlåda till en CIsolationPage - + Sandbox Isolation options Sandlådeisoleringsalternativ - + On this page sandbox isolation options can be configured. På denna sida kan sandlådeisoleringsalterntiv konfigureras. - + Network Access Nätverkstillgång - + Allow network/internet access Tillåt nätverks-/internettillgång - + Block network/internet by denying access to Network devices Blockera nätverk/internet via nekande av tillgång till Nätverksenheter - + Block network/internet using Windows Filtering Platform Blockera nätverk/internet som använder Windows Filtering Platform - + Allow access to network files and folders Tillåt tillgång till nätverksfiler och -mappar - - + + This option is not recommended for Hardened boxes Detta alternativ rekommenderas inte för härdade lådor - + Prompt user whether to allow an exemption from the blockade Meddela användaren för att tillåta ett undantag från blockeringen - + Admin Options Adminalternativ - + Drop rights from Administrators and Power Users groups Skippa rättigheter från Administratörs- och Power Users grupper - + Make applications think they are running elevated Få applikationer att tro att de körs upphöjda - + Allow MSIServer to run with a sandboxed system token Tillåt MSIServer att köra med ett sandlådat systemtecken - + Box Options Lådalternativ - + Use a Sandboxie login instead of an anonymous token Använd en Sandboxie-inloggning istället för ett anonymt tecken - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Använda ett anpassat Sandboxie-tecken tillåter att bättre isolera individuella sandlådor från varandra, och det visar i användarkolumnen hos aktivitetshanterare namnet på lådan en process tillhör. Vissa 3:dje parts säkerhetslösningar kan dock ha problem med anpassade tecken. @@ -1482,24 +1520,25 @@ Du kan använda %ANVÄNDARE% för att spara varje användares sandlåda till en Detta sandlådeinnehåll kommer att placeras i en krypterad containerfil, vänligen notera att varje korruption av containerns header kommer att göra allt dess innehåll permanent otillgängligt. Korruption kan uppstå som ett resultat av en BSOD, lagringshårdvarufel, eller en skadlig applikations överskrivande av filer slumpmässigt. Denna egenskap tillhandahålls under strikt <b>Ingen BACKUP Ingen NÅD<b> policy, DU som användare är ansvarig för de data du för in i en krypterad låda. <br /><br />OM DU GODTAR ATT TA FULLT ANSVAR FÖR DINA DATA - TRYCK [JA], ANNARS - TRYCK [NEJ]. - + Add your settings after this line. Addera dina inställningar efter denna rad. - + + Shared Template Delad mall - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. Den nya sandlådan har skapats användandes det nya <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">virtualiseringsschemat Version 2</a>, om du erfar några oväntade problem med denna låda, vänligen byt till virtualiseringsschemat Version 1 och rapportera problemet. Alternativet att ändra denna förinställning kan hittas i Filalternativ > Lådstruktur. - + Don't show this message again. Visa inte detta meddelande igen. @@ -1515,7 +1554,7 @@ Du kan använda %ANVÄNDARE% för att spara varje användares sandlåda till en COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1524,38 +1563,38 @@ Do you still want to update? Vill du fortfarande uppdatera? - + Do you want to check if there is a new version of Sandboxie-Plus? Vill du kontrollera om det finns en ny version av Sandboxie-Plus? - + Don't show this message again. Visa inte detta meddelande igen. - + Checking for updates... Söker efter uppdateringar... - + server not reachable onåbar server - - + + Failed to check for updates, error: %1 Lyckades inte söka uppdateringar, fel: %1 - + <p>Do you want to download the installer?</p> <p>Vill du nerladda installeraren?</p> - + <p>Do you want to download the updates?</p> <p>Vill du nerladda uppdateringarna?</p> @@ -1564,70 +1603,70 @@ Vill du fortfarande uppdatera? <p>Vill du gå till<a href="%1">uppdateringssidan</a>?</p> - + Don't show this update anymore. Visa inte denna uppdatering något mer. - + Downloading updates... Nerladdar uppdateringar... - + invalid parameter ogiltig parameter - + failed to download updated information failed to download update informations lyckades inte nerladda uppdaterad information - + failed to load updated json file failed to load update json file lyckades inte ladda uppdaterad json-fil - + failed to download a particular file lyckades inte nerladda en särskild fil - + failed to scan existing installation lyckades inte skanna existerande installation - + updated signature is invalid !!! update signature is invalid !!! uppdateringssignatur är ogiltig!!! - + downloaded file is corrupted nerladdad fil är korrupt - + internal error internt fel - + unknown error okänt fel - + Failed to download updates from server, error %1 Lyckades inte nerladda uppdateringar från servern, fel %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Uppdateringar för Sandboxie-Plus har nerladdats.</p><p>Vill du tillämpa dessa uppdateringar? Om några program körs sandlådade, kommer de att avslutas.</p> @@ -1636,7 +1675,7 @@ Vill du fortfarande uppdatera? Misslyckades att nedladda fil från: %1 - + Downloading installer... Nerladdar installeraren... @@ -1645,17 +1684,17 @@ Vill du fortfarande uppdatera? Misslyckades att nerladda installeraren från: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>En ny Sandboxie-Plus installerare har nerladdats till följande plats:</p><p><a href="%2">%1</a></p><p>Vill du påbörja installationen? Om några program körs sandlådade, kommer de att avslutas.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Vill du gå till <a href="%1">infosidan</a>?</p> - + Don't show this announcement in the future. Visa inte detta besked i framtiden. @@ -1664,7 +1703,7 @@ Vill du fortfarande uppdatera? <p>Det finns en ny version av Sandboxie-Plus tillgänglig.<br /><font color='red'>Ny version:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Det finns en ny version av Sandboxie-Plus tillgänglig.<br /><font color='red'><b>Ny version:</b></font> <b>%1</b></p> @@ -1673,7 +1712,7 @@ Vill du fortfarande uppdatera? <p>Vill du ladda ner den senaste versionen?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Vill du gå till <a href="%1">nerladdningssidan</a>?</p> @@ -1682,7 +1721,7 @@ Vill du fortfarande uppdatera? Visa inte detta meddelande något mer. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1718,77 +1757,77 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at COptionsWindow - + Sandboxie Plus - '%1' Options Sandboxie-Plus - '%1' Options Sandboxie-Plus - '%1' Alternativ - + File Options Filalternativ - + Grouping Grupperar - - + + Browse for File Bläddra efter fil - + Add %1 Template Addera %1 mall - + Search for options Search for Options Sök efter alternativ - + Box: %1 Låda: %1 - + Template: %1 Mall: %1 - + Global: %1 Global: %1 - + Default: %1 Standard: %1 - + This sandbox has been deleted hence configuration can not be saved. Denna sandlåda har blivit raderad därför kan konfigurationen inte sparas. - + Some changes haven't been saved yet, do you really want to close this options window? Vissa ändringar har inte sparats ännu, vill du verkligen stänga detta alternativsfönster? - - + + - - + + @@ -1796,7 +1835,7 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at Grupp: %1 - + Enter program: För in program: @@ -1939,21 +1978,21 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at - - + + Select Directory Välj katalog - + - - - - + + + + @@ -1989,8 +2028,8 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at - - + + @@ -2003,141 +2042,141 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at Mallvärden kan inte tas bort. - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Aktivera användandet av win32 hooks för valda processer. Notera: Du behöver aktivera win32 syscall hook-support globalt först. - + Enable crash dump creation in the sandbox folder Aktivera skapande av kraschdumpar i sandlådemappen - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Använd alltid ElevateCreateProcess fixen, som då och då tillämpas av assistenten för programkompatibilitet. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes Aktivera särskilt inkonsekventa PreferExternalManifest behaviour, som behövs för vissa Edge-fixar - + Set RpcMgmtSetComTimeout usage for specific processes Ange RpcMgmtSetComTimeout användande för specifika processer - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Gör ett skriv öppna anrop till en fil som inte blir kopierad misslyckas istället för att bli skrivskyddad. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. Gör att specificerade processer tror att de har adminrättigheter. - + Force specified processes to wait for a debugger to attach. Tvinga specificerade processer att vänta på att en felsökare bifogas. - + Sandbox file system root Sandlåda filsystemets root - + Sandbox registry root Sandlåda registrets root - + Sandbox ipc root Sandlåda IPC-root - - + + bytes (unlimited) bytes (obegränsat) - - + + bytes (%1) bytes (%1) - + unlimited obegränsad - + Add special option: Addera speciellt alternativ: - - + + On Start Vid start - - - - - + + + + + Run Command Kör kommandot - + Start Service Starta tjänst - + On Init Vid start - + On File Recovery Vid filåterställande - + On Delete Content Vid radering av innehåll - + On Terminate Vid terminering - + Please enter a program file name to allow access to this sandbox Vänligen för in ett programfilsnamn för att tillåta tillgång till denna sandlåda - + Please enter a program file name to deny access to this sandbox Vänligen för in ett programfilsnamn för att neka tillgång till denna sandlåda - + Failed to retrieve firmware table information. Lyckades inte skaffa mjukvarutabellinformation. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. Mjukvarutabell sparad framgångsrikt till värdregister: HKEY_CURRENT_USER\System\SbieCustom<br />du kan kopiera det till det sandlådade registret för att ha olika värden för varje låda. @@ -2146,16 +2185,16 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at Vid raderande - - - - - + + + + + Please enter the command line to be executed Vänligen för in kommandoraden som ska verkställas - + Please enter a service identifier Vänligen för in en tjänstidentifierare @@ -2164,48 +2203,74 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at Vänligen ange ett programfilsnamn - + Deny Neka - + %1 (%2) %1 (%2) - - + + Process Process - - + + Folder Mapp - + Children Avkomlingar - - - + + Document + Dokument + + + + + Select Executable File Välj verkställande fil - - - + + + Executable Files (*.exe) Verkställande filer (*.exe) - + + Select Document Directory + Välj dokumentkatalog + + + + Please enter Document File Extension. + Vänligen för in dokumentfilstillägg. + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + För säkerhetsskäl är det inte tillåtet att helt skapa jokerteckenutbrytardokuments förinställningar. + + + + For security reasons the specified extension %1 should not be broken out. + För säkerhetsskäl bör inte det specificerade tillägget %1 brytas ut. + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? Tvinga den specificerade entrèn kommer högst sannolikt ha sönder Windows, är det säkert att du vill fortsätta? @@ -2290,151 +2355,151 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at Applikationsutrymme - + Custom icon Anpassad ikon - + Version 1 Version 1 - + Version 2 Version 2 - + Browse for Program Bläddra efter program - + Open Box Options Öppna lådalternativ - + Browse Content Bläddra i innehållet - + Start File Recovery Starta filåterställande - + Show Run Dialog Visa kördialogen - + Indeterminate Obestämbar - + Backup Image Header Backa upp avbildsrubrik - + Restore Image Header Återställ avbildsrubrik - + Change Password Ändra lösenord - - + + Always copy Kopiera alltid - - + + Don't copy Kopiera inte - - + + Copy empty Kopiera tomt - + kilobytes (%1) kilobytes (%1) - + Select color Välj färg - + Select Program Välj program - + Executables (*.exe *.cmd) Verkställare (*.exe *.cmd) - - + + Please enter a menu title Vänligen för in en menytitel - + Please enter a command Vänligen för in ett kommando - + The image file does not exist Avbildsfilen existerar inte - + The password is wrong Lösenordet är fel - + Unexpected error: %1 Oväntat fel: %1 - + Image Password Changed Avbildslösenord ändrades - + Backup Image Header for %1 Backa upp avbildsrubrik för %1 - + Image Header Backuped Avbildsrubrik uppbackad - + Restore Image Header for %1 Återställ avbildsrubrik för %1 - + Image Header Restored Avbildsrubrik återställd @@ -2513,7 +2578,7 @@ Notera: Uppdateringskontrollen är ofta bakom senaste GitHub-utgivningen för at entrè: IP eller port kan inte vara tomt - + Allow @@ -2704,12 +2769,12 @@ Vänligen välj en mapp som innehåller denna fil. CPopUpProgress - + Dismiss Avvisa - + Remove this progress indicator from the list Ta bort denna framstegsindikator från listan @@ -2717,42 +2782,42 @@ Vänligen välj en mapp som innehåller denna fil. CPopUpPrompt - + Remember for this process Kom ihåg för denna process - + Yes Ja - + No Nej - + Terminate Avsluta - + Yes and add to allowed programs Ja och addera till tillåtna program - + Requesting process terminated Begärande process avslutad - + Request will time out in %1 sec Begäran tar paus om %1 sek - + Request timed out Begäran pausad @@ -2760,67 +2825,67 @@ Vänligen välj en mapp som innehåller denna fil. CPopUpRecovery - + Recover to: Återställ till: - + Browse Bläddra - + Clear folder list Rensa mapplistan - + Recover Återställ - + Recover the file to original location Återställ filen till ursprunglig plats - + Recover && Explore Återställ && Utforska - + Recover && Open/Run Återställ && Öppna/Kör - + Open file recovery for this box Öppna filåterställande för denna låda - + Dismiss Avvisa - + Don't recover this file right now Återställ inte denna fil just nu - + Dismiss all from this box Avvisa allt från denna låda - + Disable quick recovery until the box restarts Inaktivera omedelbart återställande tills lådan startar om - + Select Directory Välj katalog @@ -2960,37 +3025,42 @@ Full sökväg: %4 - + Select Directory Välj katalog - + + No Files selected! + Inga filer valda! + + + Do you really want to delete %1 selected files? Vill du verkligen radera %1 valda filer? - + Close until all programs stop in this box Stäng tills alla program stoppar i denna låda - + Close and Disable Immediate Recovery for this box Stäng och inaktivera Omedelbart återställande för denna låda - + There are %1 new files available to recover. Det finns %1 nya filer tillgängliga att återställa. - + Recovering File(s)... Återställer fil(er)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Det finns %1 filer och %2 mappar i sandlådan, som upptar %3 av diskutrymmet. @@ -3149,22 +3219,22 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade eller experime CSandBox - + Waiting for folder: %1 Väntar på mapp: %1 - + Deleting folder: %1 Raderar mapp: %1 - + Merging folders: %1 &gt;&gt; %2 Sammanför mappar: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Slutför sammanförande av ögonblicksbilder... @@ -3172,37 +3242,37 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade eller experime CSandBoxPlus - + Disabled Inaktiverad - + OPEN Root Access Öppna root-tillgång - + Application Compartment Applikationsutrymme - + NOT SECURE INTE SÄKER - + Reduced Isolation Reducerad isolering - + Enhanced Isolation Utökad isolering - + Privacy Enhanced Integritetsutökad @@ -3211,32 +3281,32 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade eller experime API-logg - + No INet (with Exceptions) Inget nät (med undantag) - + No INet Inget nät - + Net Share Nätdelning - + No Admin Ingen admin - + Auto Delete Autoradera - + Normal Vanlig @@ -3285,7 +3355,7 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade eller experime Installation - + The evaluation period has expired!!! Utvärderingsperioden har utgått! @@ -3299,52 +3369,52 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade eller experime Importerar :%1 - + No Recovery Inget återställande - + No Messages Inga meddelanden - + Maintenance operation completed Underhållsoperation avklarad - + Failed to create the box archive Lyckades inte skapa lådarkivet - + Failed to unpack the box archive Lyckades inte packa upp lådarkivet - + The selected 7z file is NOT a box archive Den valda 7z-filen är INTE ett lådarkiv - + Reset Columns Återställ kolumner - + Copy Cell Kopiera cellen - + Copy Row Kopiera raden - + Copy Panel Kopiera panelen @@ -3631,7 +3701,7 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade eller experime - + About Sandboxie-Plus Om Sandboxie-Plus @@ -3801,9 +3871,9 @@ Vill du göra rensningen? - - - + + + Don't show this message again. Visa inte detta meddelande igen. @@ -3945,20 +4015,20 @@ Nej väljer: %2 - INTE ansluten - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Programmet %1 startad i låda %2 kommer att avslutas om 5 minuter för att lådan konfigurerades att använda funktioner exklusivt tillgängliga för projektsupportrar. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Låda %1 är konfigurerad att använda funktioner exklusivt tillgängliga för projektsupportrar, dessa inställningar kommer ignoreras. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Bli en projektsupporter</a>, och få ett <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supportercertifikat</a> @@ -3971,7 +4041,7 @@ Nej väljer: %2 %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Den valda funktionsuppsättningen är endast tillgänglig för projektsupportrar. Processer startade i en låda med denna funktionsuppsättning aktiverad utan ett supportercertifikat kommer att avslutas efter 5 minuter.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Bli en projektsupporter</a>, och få ett <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supportercertifikat</a> @@ -3980,22 +4050,22 @@ Nej väljer: %2 Evalueringsperioden har utgått! - + The supporter certificate is not valid for this build, please get an updated certificate Supportercertifikatet är inte giltigt för detta bygge, vänligen skaffa ett uppdaterat certifikat - + The supporter certificate has expired%1, please get an updated certificate Supportercertifikatet har utgått%1, vänligen skaffa ett uppdaterat certifikat - + , but it remains valid for the current build , men det förblir giltigt för nuvarande bygge - + The supporter certificate will expire in %1 days, please get an updated certificate Supportercertifikatet utgår om %1 dagar, vänligen skaffa ett uppdaterat certifikat @@ -4055,17 +4125,17 @@ Nej väljer: %2 - + Only Administrators can change the config. Endast administratörer kan ändra konfigurationen. - + Please enter the configuration password. Vänligen för in konfigurationslösenordet. - + Login Failed: %1 Inloggning misslyckades: %1 @@ -4078,7 +4148,7 @@ Nej väljer: %2 7-zip arkiv (*.7z) - + Do you want to terminate all processes in all sandboxes? Vill du avsluta alla processer i alla sandlådor? @@ -4087,39 +4157,39 @@ Nej väljer: %2 Avsluta alla utan att fråga - + Please enter the duration, in seconds, for disabling Forced Programs rules. Vänligen för in varaktigheten, i sekunder, för inaktivering av tvingade programs regler. - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus startades i portabelt läge och det behöver skapa nödvändiga tjänster. Detta ger förfrågan om administrativa rättigheter. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. FÖRSIKTIG: En annan agent (troligen SbieCtrl.exe) hanterar redan denna Sandboxie-session, vänligen stäng den först och återanslut för att ta över. - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Fel - + Failed to stop all Sandboxie components Lyckades inte stoppa alla Sandboxie-komponenter - + Failed to start required Sandboxie components Lyckades inte starta krävda Sandboxie-komponenter - + Maintenance operation failed (%1) Underhållsoperationen misslyckades (%1) @@ -4333,113 +4403,113 @@ Vänligen kontrollera om det finns en uppdatering för Sandboxie. Ditt windows-bygge %1 överstiger de nuvarande kända supportförmågorna av din Sandboxie-version, Sandboxie kommer försöka använda de senast-kända kompensationerna vilket kan orsaka systeminstabilitet. - + Failed to configure hotkey %1, error: %2 Lyckades inte konfigurera snabbkommando %1, fel:%2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. Lådan %1 är konfigurerad att använda egenskaper exklusivt tillgängliga till projektsupportrar. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. Lådan %1 är konfigurerad att använda egenskaper som kräver ett <b>avancerat<b> supportercertifikat. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Uppgradera ditt certifikat</a> för att låsa upp avancerade egenskaper. - + The selected feature requires an <b>advanced</b> supporter certificate. Den valda egenskapen kräver ett <b>avancerat<b> supportercertifikat. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />du behöver vara på nivån Great Patreon eller högre för att låsa upp denna egenskap. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> De valda egenskaperna är endast tillgängliga för projektsupportrar.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">bli en projektsupporter</a>, och mottag ett <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supportercertifikat</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! Certifikatet du försöker använda har blockerats, vilket menas att det har blivit ogiltigt av en orsak. Varje försök att använda det innebär ett brytande av dess användarvillkor! - + The Certificate Signature is invalid! Certifikatssignaturen är ogiltig! - + The Certificate is not suitable for this product. Certifikatet är inte tillämpligt för denna produkt. - + The Certificate is node locked. Certifikatet är nod-låst. - + The support certificate is not valid. Error: %1 Supportcertifikatet är inte giltigt. Fel: %1 - - + + Don't ask in future Fråga inte i framtiden - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? Vill du avsluta alla processer i krypterade sandlådor, och avmontera dem? - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>FEL:</b> Sandboxie-Plus hanterare (SandMan.exe) har inte en giltig signatur (SandMan.exe.sig). Vänligen nedladda en betrodd utgåva från den <a href="https://sandboxie-plus.com/go.php?to=sbie-get">officiella nedladdningssidan</a>. - + Executing maintenance operation, please wait... Verkställer underhållsoperationen, vänligen vänta... - + In the Plus UI, this functionality has been integrated into the main sandbox list view. I användargränssnittet i Plus, har denna funktion integrerats in i huvudsandlådans listöversikt. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Vid användning av låd-/gruppsnabbmenyn, kan du flytta lådor och grupper till andra grupper. Du kan också dra och släppa för att flytta omkring poster. Alternativt, du kan också använda piltangenterna medans du håller ner ALT för flytta poster upp och ner inom dess grupp.<br />Du kan skapa nya lådor och grupper från menyn Sandlåda. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Vill du också återställa dolda meddelandelådor (Ja), eller bara alla loggmeddelanden (Nej)? - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4448,279 +4518,279 @@ This file is part of Sandboxie and all changed done to it will be reverted next Denna fil är en del av Sandboxie och alla ändringar gjorda i den återställs nästa gång Sandboxie uppdateras. - + The changes will be applied automatically whenever the file gets saved. Ändringarna tillämpas automatiskt närhelst filen sparas. - + The changes will be applied automatically as soon as the editor is closed. Ändringarna tillämpas automatiskt så fort som redigeraren stängs. - + Sandboxie config has been reloaded Sandboxie-konfigurationen har laddats om - + Error Status: 0x%1 (%2) Felstatus: 0x%1 (%2) - + Unknown Okänd - + Administrator rights are required for this operation. Administratörsrättigheter krävs för denna operation. - + Failed to execute: %1 Lyckades inte verkställa: %1 - + Failed to connect to the driver Lyckades inte ansluta till drivrutinen - + Failed to communicate with Sandboxie Service: %1 Lyckades inte kommunicera med Sandboxies tjänst: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 En inkompatibel Sandboxie %1 hittades. Kompatibla versioner: %2 - + Can't find Sandboxie installation path. Kan inte finna Sandboxies installationssökväg. - + Failed to copy configuration from sandbox %1: %2 Lyckades inte kopiera konfigurationen från sandlåda %1: %2 - + A sandbox of the name %1 already exists En sandlåda med namnet %1 existerar redan - + Failed to delete sandbox %1: %2 Lyckades inte radera sandlåda %1: %2 - + The sandbox name can not be longer than 32 characters. Sandlådenamnet kan inte vara längre än 32 tecken. - + The sandbox name can not be a device name. Sandlådenamnet kan inte vara ett enhetsnamn. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Sandlådenamnet kan bara innehålla bokstäver, siffror och understrykningar vilka visas som utrymmen. - + Failed to terminate all processes Lyckades inte avsluta alla processer - + Delete protection is enabled for the sandbox Raderingsskydd är aktiverat för sandlådan - + All sandbox processes must be stopped before the box content can be deleted Alla sandlådeprocesser måste stoppas innan lådinnehållet kan raderas - + Error deleting sandbox folder: %1 Fel vid radering av sandlådemapp: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. Alla processer i en sandlåda behöver stoppas innan den kan namnändras. - + A sandbox must be emptied before it can be deleted. En sandlåda måste tömmas innan den kan raderas. - + Failed to move directory '%1' to '%2' Lyckades inte flytta katalog '%1' till '%2' - + Failed to move box image '%1' to '%2' Lyckades inte flytta lådavbild %1 till %2 - + This Snapshot operation can not be performed while processes are still running in the box. Denna ögonblicksbildoperation kan inte utföras medan processer fortfarande kör i lådan. - + Failed to create directory for new snapshot Lyckades inte skapa katalog för ny ögonblicksbild - + Failed to copy box data files Lyckades inte kopiera låddatafiler - + Snapshot not found Ögonblicksbild hittades inte - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Fel vid sammanförande av ögonblicksbildkataloger '%1' med '%2'. Ögonblicksbilden har inte blivit helt sammanförd. - + Failed to remove old snapshot directory '%1' Lyckades inte ta bort gammal ögonblicksbildkatalog '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Kan inte ta bort en ögonblicksbild som delas av flera senare ögonblicksbilder - + Failed to remove old box data files Lyckades inte ta bort gamla låddatafiler - + You are not authorized to update configuration in section '%1' Du är inte berättigad att uppdatera konfigurationen i sektion '%1' - + Failed to set configuration setting %1 in section %2: %3 Lyckades inte ange konfigurationsinställning %1 i sektion %2: %3 - + Can not create snapshot of an empty sandbox Kan inte skapa ögonblicksbild av en tom sandlåda - + A sandbox with that name already exists En sandlåda med det namnet existerar redan - + The config password must not be longer than 64 characters Konfigurationslösenordet får inte vara längre än 64 tecken - + The operation was canceled by the user Operationen avbröts av användaren - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted Innehållet i en omonterad sandlåda kan inte raderas - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded Importera/Exportera ej tillgängligt, 7z.dll kunde ej laddas - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? Vill du öppna %1 i en sandlådad eller osandlådad webbläsare? - + Sandboxed Sandlådad - + Unsandboxed Osandlådad - + Case Sensitive Skiftlägeskänslig - + RegExp RegExp - + Highlight Markera - + Close Stäng - + &Find ... &Hitta ... - + All columns Alla kolumner - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>Om Sandboxie Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 Denna kopia av Sandboxie Plus är certifierad för: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie Plus är gratis för personlig och icke-kommersiell användnng. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus är en fortsättning av Sandboxie som öppen källa.<br />Besök <a href="https;//sandboxie-plus.com">sandboxie-plus.com</a> för mer information.<br /><br />%2<br /><br />Egenskaper:%3<br /><br />Installation:%1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br />SbieDll.dll: %6<br /><br />Ikoner från<a href="https://icons8.com">icons8.com</a> @@ -4729,7 +4799,7 @@ Denna fil är en del av Sandboxie och alla ändringar gjorda i den återställs Misslyckades att skapa lådarkiv - + Failed to open the 7z archive Lyckades inte öppna 7z-arkivet @@ -4742,12 +4812,12 @@ Denna fil är en del av Sandboxie och alla ändringar gjorda i den återställs Den valda 7z-filen är INTE ett lådarkiv - + Unknown Error Status: 0x%1 Okänd felstatus: 0x%1 - + Operation failed for %1 item(s). Operationen misslyckades för %1 post(er). @@ -4756,7 +4826,7 @@ Denna fil är en del av Sandboxie och alla ändringar gjorda i den återställs Vill du öppna %1 i en sandlådad (Ja) eller osandlådad (Nej) webbläsare? - + Remember choice for later. Kom ihåg valet till senare. @@ -5119,38 +5189,38 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s CSbieTemplatesEx - + Failed to initialize COM Misslyckades starta COM - + Failed to create update session Misslyckades skapa uppdateringssession - + Failed to create update searcher Misslyckades skapa uppdateringssökare - + Failed to set search options Misslyckades ange sökalternativ - + Failed to enumerate installed Windows updates Failed to search for updates Misslyckades att räkna installerade Windows updates - + Failed to retrieve update list from search result Misslyckades få uppdateringslista från sökresultat - + Failed to get update count Misslyckades få uppdateringsräkning @@ -5158,41 +5228,41 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s CSbieView - - + + Create New Box Skapa ny låda - - + + Create Box Group Skapa lådgrupp - + Rename Group Namnändra grupp - + Remove Group Ta bort grupp - - + + Stop Operations Stoppa operationer - - + + Run Kör - + Run Program Kör program @@ -5201,22 +5271,22 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Startmeny - + Run from Start Menu Kör från startmenyn - + Default Web Browser Standardwebbläsare - + Default eMail Client Standard e-postklient - + Command Prompt Kommandotolken @@ -5225,89 +5295,89 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Lådade verktyg - + Command Prompt (as Admin) Kommandotolken (som admin) - + Command Prompt (32-bit) Kommandotolken (32-bit) - + Windows Explorer Windows utforskare - + Registry Editor Registerredigeraren - + Programs and Features Program och funktioner - + Execute Autorun Entries Verkställ autorun-poster - + Standard Applications Standardapplikationer - + Terminate All Programs Avsluta alla program - + Browse Files Bläddra i filer - - + + Move Sandbox Flytta sandlåda - + Browse Content Bläddra i innehåll - + Box Content Lådinnehåll - - - - - + + + + + Create Shortcut Skapa genväg - - + + Explore Content Utforska innehåll - + Open Registry Öppna registret - - + + Refresh Info Uppdatera info @@ -5316,59 +5386,59 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Fler verktyg - - + + Snapshots Manager Ögonblicksbildhanterare - + Recover Files Återställ filer - - + + Delete Content Radera innehåll - + Sandbox Options Sandlådealternativ - + Sandbox Presets Sandlådeförinställningar - + Ask for UAC Elevation Fråga om UAC-förhöjning - + Drop Admin Rights Skippa adminrättigheter - + Emulate Admin Rights Efterlikna adminrättigheter - + Block Internet Access Blockera internettillgång - + Allow Network Shares Tillåt nätverksdelningar - + Immediate Recovery Omedelbart återställande @@ -5377,8 +5447,8 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Kopiera sandlåda - - + + Rename Sandbox Namnändra sandlåda @@ -5387,74 +5457,74 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Flytta låda/grupp - - + + Move Up Flytta upp - - + + Move Down Flytta ner - - + + Remove Sandbox Ta bort sandlåda - - + + Terminate Avsluta - + Preset Förinställning - - + + Pin to Run Menu Fäst på körmenyn - + Block and Terminate Blockera och avsluta - + Allow internet access Tillåt internettillgång - + Force into this sandbox Tvinga in i denna sandlåda - + Set Linger Process Ange kvardröjningsprocess - + Set Leader Process Ange ledarprocess - + File root: %1 Fil-root: %1 - + Registry root: %1 Register-root: %1 @@ -5467,18 +5537,18 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s - - + + Sandbox Tools Sandlådeverktyg - + Duplicate Box Config Kopiera lådkonfigurationen - + Export Box Exportera låda @@ -5487,330 +5557,323 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Kör sandlådad - + Run Web Browser Kör webbläsare - + Run eMail Reader Kör e-postläsare - + Run Any Program Kör valfritt program - + Run From Start Menu Kör från startmenyn - + Run Windows Explorer Kör Windows utforskare - + Terminate Programs Avsluta program - + Quick Recover Omedelbar återställning - + Sandbox Settings Sandlådeinställningar - + Duplicate Sandbox Config Kopiera sandlådekonfigurering - + Export Sandbox Exportera sandlåda - + Move Group Flytta grupp - + IPC root: %1 IPC-root: %1 - + Disk root: %1 Disk-root: %1 - + Options: Alternativ: - + [None] [Ingen] - + Please enter a new name for the Group. Vänligen för in ett nytt namn för gruppen. - + Do you really want to remove the selected group(s)? Vill du verkligen ta bort vald(a) grupp(er)? - + Move entries by (negative values move up, positive values move down): Flytta poster genom (negativa värden - upp, positiva värden - ner): - + A group can not be its own parent. En grupp kan inte vara sin egna förälder. - + Failed to open archive, wrong password? Lyckades inte öppna arkiv, fel lösenord? - + Failed to open archive (%1)! Lyckades inte öppna arkiv (%1)! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + 7-Zip arkiv (*.7z);;Zip arkiv(*.zip) + + This name is already in use, please select an alternative box name - Detta namn används redan, vänligen välj ett alternativt lådnamn + Detta namn används redan, vänligen välj ett alternativt lådnamn - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 Importerar :%1 - + Please enter a new group name Vänligen för in ett nytt gruppnamn - + The Sandbox name and Box Group name cannot use the ',()' symbol. Sandlådenamnet och lådgruppnamnet kan inte använda "()" symbolen. - + This name is already used for a Box Group. Detta namn används redan för en lådgrupp. - + This name is already used for a Sandbox. Detta namn används redan för en sandlåda. - - - + + + Don't show this message again. Visa inte detta meddelande igen. - - - + + + This Sandbox is empty. Denna sandlåda är tom. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. VARNING: Den öppnade registerredigeraren är inte sandlådad, vänligen var försiktig och gör endast ändringar till de förvalda sandlådeplatserna. - + Don't show this warning in future Visa inte denna varning i framtiden - + Please enter a new name for the duplicated Sandbox. Vänligen för in ett nytt namn för den kopierade sandlådan. - + %1 Copy %1 Kopiera - - + + Select file name Välj filnamn - - + + Import Box Importera låda - - + + Mount Box Image Montera lådavbild - - + + Unmount Box Image Avmontera lådavbild - + Disable Force Rules Inaktivera Tvingande regler - + Suspend Skjut upp - + Resume Återuppta - - 7-zip Archive (*.7z) - 7-zip arkiv (*.7z) + 7-zip arkiv (*.7z) - + Exporting: %1 Exporterar: %1 - + Please enter a new name for the Sandbox. Vänligen för in ett nytt namn för sandlådan. - + Please enter a new alias for the Sandbox. Vänligen för in ett nytt alias för sandlådan. - + The entered name is not valid, do you want to set it as an alias instead? Det införda namnet är inte giltigt, vill du ange det som ett alias istället? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Vill du verkligen ta bort de(n) valda sandlåd(orna)(an)?<br /><br />Varning: Lådinnehållet kommer också raderas! - + This Sandbox is already empty. Denna sandlåda är redan tom. - - + + Do you want to delete the content of the selected sandbox? Vill du radera innehållet hos den valda sandlådan? - - + + Also delete all Snapshots Radera också alla ögonblicksbilder - + Do you really want to delete the content of all selected sandboxes? Vill du verkligen radera innehållet hos alla valda sandlådor? - + Do you want to terminate all processes in the selected sandbox(es)? Vill du avsluta alla processer i de(n) valda sandlåd(orna)(an)? - - + + Terminate without asking Avsluta utan att fråga - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Sandboxies startmeny kommer nu visas. Välj en applikation från menyn och Sandboxie kommer att skapa en ny genvägsikon på ditt verkliga skrivbord, med vilken du kan starta vald applikation under Sandboxies övervakning. - - + + Create Shortcut to sandbox %1 Skapa genväg till sandlåda %1 - + Do you want to terminate %1? Do you want to %1 %2? Vill du avsluta %1? - + the selected processes de valda processerna - + This box does not have Internet restrictions in place, do you want to enable them? Denna låda har inte internetbegränsningar på plats, vill du aktivera dem? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Denna sandlåda är för närvarande inaktiverad eller begränsad till specifika grupper eller användare. Vill du tillåta tillgång för alla? - - + + (Host) Start Menu (Värd) Startmeny @@ -5854,30 +5917,30 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie-Plus - Globala inställningar - + Auto Detection Autoupptäckt - + No Translation Ingen översättning - + Don't show any icon Don't integrate links Visa ingen ikon - - + + As sub group Som undergrupp @@ -5890,193 +5953,193 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Konfigurera skydd - - + + Don't integrate links Integrera inte länkar - - + + Fully integrate Full integrering - + Show Plus icon Visa Plus-ikon - + Show Classic icon Visa Classics ikon - + All Boxes Alla lådor - + Active + Pinned Aktiv + Fästad - + Pinned Only Endast fästad - + Close to Tray Stäng till systemfält - + Prompt before Close Fråga före stängande - + Close Stäng - + None Ingen - + Native Ursprunglig - + Qt Qt - + %1 %1 % %1 - + Search for settings Search for Settings Sök efter inställningar - - - + + + Run &Sandboxed Kör &sandlådad - + Sandboxed Web Browser Sandlådad webbläsare - - + + Notify Meddela - + Ignore Ignorera - + Every Day Varje dag - + Every Week Varje vecka - + Every 2 Weeks Varje 2 veckor - + Every 30 days Varje 30 dagar - - + + Download & Notify Nerladda & meddela - - + + Download & Install Nerladda & installera - + Browse for Program Bläddra efter program - + Add %1 Template Addera %1 mall - + HwId: %1 HwId: %1 - + Select font Välj typsnitt - + Reset font Återställ typsnitt - + %0, %1 pt %0, %1 pt - + Please enter message Vänligen för in meddelande - + Select Program Välj program - + Executables (*.exe *.cmd) Verkställare (*.exe *.cmd) - - + + Please enter a menu title Vänligen för in en menytitel - + Please enter a command Vänligen för in ett kommando @@ -6085,12 +6148,12 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Detta supportercertifikat har utgått, vänligen <a href="sbie://update/cert">skaffa ett uppdaterat certifikat</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Plus-egenskaper kommer inaktiveras om %1 dagar.</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>För nuvarande bygge förblir Plus-egenskaperna aktiverade</font>, men du har inte längre tillgång till Sandboxie-Live tjänsterna, inklusive kompatibilitetsuppdateringar och felsökningsdatabasen. @@ -6099,7 +6162,7 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s <br /><font color='red'>För detta bygge kvarstår Plus-egenskaperna aktiverade.</font> - + <br />Plus features are no longer enabled. <br />Plus-egenskaperna är inte längre aktiverade. @@ -6113,37 +6176,37 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Supportercertifikat krävs - + Run &Un-Sandboxed Kör &osandlådad - + Set Force in Sandbox Ange tvinga i sandlåda - + Set Open Path in Sandbox Ange Öppen sökväg i sandlådan - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Detta ser inte ut som ett certifikat. Vänligen för in hela certifikatet, inte bara en del av det. - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Detta certifikat är tyvärr inte giltigt för nuvarande bygge, du behöver skaffa ett nytt certifikat eller nedgradera till ett tidigare bygge. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Även fast detta certifikat har utgått, för nuvarande installerad version förblir Plus-egenskaperna aktiverade. Däremot, kommer du inte längre ha tillgång till Sandboxie-Live tjänsterna, inklusive kompatibilitetsuppdateringar och felsökningsdatabasen på nätet. - + This certificate has unfortunately expired, you need to get a new certificate. Detta certifikat har tyvärr utgått, du behöver skaffa ett nytt certifikat. @@ -6157,32 +6220,32 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Detta certifikat är tyvärr föråldrat. - + kilobytes (%1) kilobytes (%1) - + Volume not attached Volymen är inte ansluten - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - - - - - <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + <b>Du har använt %1/%2 evalueringscertificat. Inga fler gratis certifikat kan genereras.</b> + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> + <b><a href="_">Få ett gratis evalueringscertifikat</a> och njut av alla premiumegenskaper i %1 dagar.</b> + + + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Detta supportercertifikat har utgått, vänligen <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">skaffa ett uppdaterat certifikat</a>. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Detta supportercertifikat kommer <font color='red'>upphöra om %1 dagar</font>, vänligen <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">skaffa ett uppdaterat certifikat</a>. @@ -6191,37 +6254,37 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Hämtar certifikat... - + Contributor Bidragsgivare - + Eternal Evig - + Business Företag - + Personal Personlig - + Great Patreon Stor patreon - + Patreon Patreon - + Family Familj @@ -6230,12 +6293,12 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Abonnemang - + Evaluation Utvärdering - + Type %1 Typ %1 @@ -6244,241 +6307,242 @@ Notera: Uppdateringskollen är ofta bakom senaste GitHub-utgivningen för att s Standard - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + Du kan begära ett gratis %1 dags evalueringscertifikat upp till %2 gånger per hårdvaru-ID. - + Expires in: %1 days Expires: %1 Days ago - + Utgår om: %1 dagar - + Expired: %1 days ago - + Utgick:%1 dagar sedan - + Options: %1 - + Alternativ: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - + Säkerhets-/Integritetsutökad & Applådor (SLåda): %1 - - - - + + + + Enabled - + Aktiverad - - - - + + + + Disabled - Inaktiverad + Inaktiverad - + Encrypted Sandboxes (EBox): %1 - + Krypterade Sandlådor (KLåda):%1 - + Network Interception (NetI): %1 - + Nätverksingripande (NätI): %1 - + Sandboxie Desktop (Desk): %1 - + Sandboxie-skrivbord (Bord): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. Detta ser inte ut som ett Sandboxie-Plus serienummer.<br />Om du har försökt föra in Uppdateringsnyckeln eller Signaturen från ett certifikat som inte är korrekt, vänligen för in hela certifikatet in i textområdet ovan istället. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. Du försöker att använda en uppgraderingsnyckel för egenskaper utan att ha fört in ett förexisterande supportercertifikat. Vänligen notera att denna typ av nyckel (<b>som det tydligt är uppgivet i fet text på webbsidan</b) kräver att du har ett förexisterande giltigt supportercertifikat; det är oanvändbart utan ett.<br />Om du vill använda de avancerade egenskaperna, behöver du skaffa både ett standardcertifikat och uppgraderingsnyckeln för egenskaper för att låsa upp avancerad funktionalitet. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. Du försöker att använda en Förnyelsenyckel utan att ha fört in ett förexisterande supportercertifikat. Vänligen notera att denna typ av nyckel (<b>som är tydligt uppgivet i fet text på hemsidan</b) kräver att du har ett förexisterande giltigt supportercertifikat; det är oanvändbart utan ett. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> <br /><br /><u>Om du inte har läst produktbeskrivningen och har erhållit denna nyckel av misstag; vänligen kontakta oss via e-post (tillgänglig på vår webbsida) för att lösa denna fråga.</u> - - + + Retrieving certificate... Hämtar certifikat... - + Sandboxie-Plus - Get EVALUATION Certificate - + Sandboxie-Plus - Få EVALUERINGScertifikat - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Vänligen för in din e-postadress för att motta ett gratis %1 dags evalueringscertifikat, vilket utfärdas till %2 och låst till nuvarande hårdvara. +Du kan begära upp till %3 evalueringscertifikat för varje unikt hårdvaru-ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 Fel vid hämtande av certifikat:%1 - + Unknown Error (probably a network issue) Okänt fel (troligen ett nätverksfel) - + Home Hem - + Advanced Avancerad - + Advanced (L) Avancerad (L) - + Max Level Maxnivå - + Level %1 Nivå %1 - + Supporter certificate required for access Supportercertifikat krävs för tillgång - + Supporter certificate required for automation Supportercertifikat krävs för automatisering - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Evalueringscertifikatet har framgångsrikt tillämpats. Njut av ditt gratisprovande! - + Thank you for supporting the development of Sandboxie-Plus. Tack för att du stöder utvecklingen av Sandboxie-Plus. - + Update Available Uppdatering tillgänglig - + Installed Installlerad - + by %1 av %1 - + (info website) (infowebbsida) - + This Add-on is mandatory and can not be removed. Detta tillägg är obligatoriskt och kan inte tas bort. - - + + Select Directory Välj katalog - + <a href="check">Check Now</a> <a href="check">Kontrollera nu</a> - + Please enter the new configuration password. Vänligen för in det nya konfigurationslösenordet. - + Please re-enter the new configuration password. Vänligen återinför det nya konfigurationslösenordet. - + Passwords did not match, please retry. Lösenorden stämde inte, vänligen försök igen. - + Process Process - + Folder Mapp - + Please enter a program file name Vänligen för in ett programfilsnamn - + Please enter the template identifier Vänligen för in mallidentifieraren - + Error: %1 Fel: %1 - + Do you really want to delete the selected local template(s)? Vill du verkligen radera de(n) valda lokala mall(arna)(en)? - + %1 (Current) %1 (Nuvarande) @@ -6725,35 +6789,35 @@ Försök skicka utan bifogad logg. CSummaryPage - + Create the new Sandbox Skapa den nya sandlådan - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Nästan avklarat, klicka på Avsluta för att skapa en ny sandlåda och avsluta guiden. - + Save options as new defaults Spara alternativen som ny standard - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) Skippa denna summeringssida när avancerade alternativ inte är angivna - + This Sandbox will be saved to: %1 Denna sandlåda kommer sparas till: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6762,21 +6826,21 @@ This box's content will be DISCARDED when its closed, and the box will be r Denna lådas innehåll kommer KASSERAS när den stängs, och lådan tas bort. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Denna låda kommer KASSERA dess innehåll när den stängs, den är endast lämplig för temporära data. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Processer i denna låda kommer inte kunna tillgå internet eller det lokala nätverket, detta säkerställer att tillgången data förblir konfidentiell. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6785,14 +6849,14 @@ This box will run the MSIServer (*.msi installer service) with a system token, t Denna låda kommer köra MSIServer (*.msi installer service) med ett systemtecken, detta förbättrar kompatibilitet men reducerar säkerhetsisoleringen. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Processer i denna låda kommer tro att de körs med adminprivilegier, utan att faktiskt ha dem, därmed kan installerare användas även i en säkerhetshärdad låda. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6801,7 +6865,7 @@ Processes in this box will be running with a custom process token indicating the Processer i denna låda kommer att köra med ett anpassat processtecken indikerandes sandlådan de tillhör. - + Failed to create new box: %1 Lyckades inte skapa ny låda: %1 @@ -7469,34 +7533,74 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Komprimera filer - + Compression Kompression - + When selected you will be prompted for a password after clicking OK Vid gjort val kommer du tillfrågas om ett lösenord efter klickande på OK - + Encrypt archive content Kryptera arkivinnehåll - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. Solid arkivering förbättrar kompressionsförhållanden genom att hantera multipla filer som ett enskilt kontinuerligt datablock. Idealiskt för ett stort antal av små filer då det gör arkivet mer kompakt, men kan öka tiden för extraherandet av individuella filer. - + Create Solide Archive Skapa ett solitt arkiv - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Exportera sandlåda till ett 7z-arkiv. Välj ditt kompressionsförhållande och anpassa ytterligare kompressionsinställningar. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Exportera en Sandlåda till ett arkiv, välj din kompressionsgrad och anpassa ytterligare kompressionsinställningar. + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Exportera sandlåda till ett 7z-arkiv. Välj ditt kompressionsförhållande och anpassa ytterligare kompressionsinställningar. + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + Importera en sandlåda från ett arkiv + + + + Import Sandbox Name + Importera sandlådenamn + + + + Box Root Folder + Lådrootsmapp + + + + ... + ... + + + + Import without encryption + Importera utan kryptering @@ -7557,104 +7661,104 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Sandlådeindikator i titeln: - + Sandboxed window border: Sandlådefönsterram: - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Flera lådtyper</b> är exklusivt tillgängliga för <u>projektsupportrar</u>, de integritetsutökade lådorna <b><font color='red'>skyddar användardata från olaglig tillgång</font></b> av de sandlådade programmen.<br />Om du ännu inte är en supporter, överväg då vänligen att <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporta projektet</a>, för att få ett <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supportercertifikat</a>.<br />Du kan testa de andra lådtyperna genom att skapa nya sandlådor av dessa typer, men processer i dessa kommer autoavslutas efter 5 minuter. - + Show this box in the 'run in box' selection prompt Visa denna låda i valmeddelandet Kör i låda - + Box info Lådinfo - + Box Type Preset: Förval av lådtyp: - + px Width px vidd - + General Configuration Allmän konfiguration - + Appearance Utseende - + Double click action: Dubbelklicksaktion: - + File Options Filalternativ - + Encrypt sandbox content Kryptera sandlådeinnehåll - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Autoradera innehållsändringar när sista sandlådade process avslutas - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. När <a href="sbie://docs/boxencryption">lådkryptering</a> är aktiverat är lådans root-mapp, inklusive dess registerdatafil, lagrad i en krypterad diskavbild, användandes <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementering. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Installera ImDisk:s</a> drivrutin för att aktivera RAM-disk och diskavbildsstöd. - + Separate user folders Separata användarmappar - + Store the sandbox content in a Ram Disk Lagra sandlådeinnehållet i en RAM-disk - + Set Password Ange lösenord - + Copy file size limit: Kopiera filstorleksgräns: - + Box Delete options Lådraderingsalternativ - + Protect this sandbox from deletion or emptying Skydda denna sandlåda från radering eller tömning @@ -7663,33 +7767,33 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Rå disktillgång - - + + File Migration Filflyttning - + Allow elevated sandboxed applications to read the harddrive Tillåt upphöjda sandlådade applikationer att läsa disken - + Warn when an application opens a harddrive handle Varna när en applikation öppnar ett diskhandtag - + kilobytes kilobyte - + Issue message 2102 when a file is too large Utfärda meddelande 2102 när en fil är för stor - + Prompt user for large file migration Meddela användare om stor filflyttning @@ -7698,32 +7802,33 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Säkerhet - + Drop rights from Administrators and Power Users groups Skippa rättigheter från Administratörs- och Power Users-grupper - + (Recommended) (Rekommenderad) - - - - - - + + + + + + + Protect the system from sandboxed processes Skydda systemet från sandlådade processer - + Elevation restrictions Förhöjningsbegränsningar - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Säkerhetsnotering: Förhöjda applikationer körandes under övervakning av Sandboxie, med admin eller SYSTEM-tecken, har fler möjligheter att passera isoleringen och modifiera systemet utanför sandlådan. @@ -7736,23 +7841,23 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Använd det ursprungliga tecknet endast för godkända NT-systemanrop - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Note: MSI Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Notera: Undantag för MSI-installerare ska inte krävas, men om du stöter på besvär installerandes ett MSI-paket som är pålitligt, kan detta alternativ hjälpa installationen fullföljas framgångsrikt. Du kan också försöka inaktivera Skippa adminrättigheter. - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. BEAKTA: Vid körning under den inbyggda adiminstratören, kan processer inte skippa administrativa privilegier. - + Make applications think they are running elevated (allows to run installers safely) Få applikationer att tro de kör förhöjda (tillåter att köra installerare säkert) - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Tillåt MSIserver att köra med ett sandlådat SYSTEM-tecken och tillämpa andra undantag om nödvändigt @@ -7770,62 +7875,62 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Tillgångsbegränsningar - + Open Windows Credentials Store (user mode) Öppna Windows autentiseringshanterare (användarläge) - + Other restrictions Andra begränsningar - + Block read access to the clipboard Blockera lästillgång till urklipp - + Printing restrictions Utskriftsbegränsningar - + Prevent change to network and firewall parameters (user mode) Förhindra ändring av nätverks- och brandväggsparametrar (användarläge) - + Allow to read memory of unsandboxed processes (not recommended) Tillåt läsning av minne av osandlådade processer (inte rekommenderat) - + Network restrictions Nätverksbegränsningar - + Block access to the printer spooler Blockera tillgång till Print Spooler - + Allow the print spooler to print to files outside the sandbox Tillåt Print Spooler att skriva ut till filer utanför sandlådan - + Block network files and folders, unless specifically opened. Blockera nätverksfiler och mappar, förutom om specifikt öppnade. - + Remove spooler restriction, printers can be installed outside the sandbox Ta bort Print Spooler-begränsningar, skrivare kan installeras utanför sandlådan - + Open System Protected Storage Öppna System Protected Storage @@ -7834,170 +7939,170 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Utfärda meddelande 2111 när en processtillgång är nekad - + Run Menu Körmeny - + You can configure custom entries for the sandbox run menu. Du kan konfigurera anpassade poster för sandlådans körmeny. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Namn - + Command Line Kommandorad - + Add program Addera program - + Box Structure Lådstruktur - + Prevent sandboxed processes from interfering with power operations (Experimental) Förhindra sandlådade processer från att störa med kraftfulla operationer (experimentell) - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. Förhindra musflytt, för in framför och liknande operationer, detta orsakar troligen problem med spel. - + Prevent interference with the user interface (Experimental) Förhindra störande av användargränssnittet (experimentellt) - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar Tillåt sandlådade fönster att täcka över aktivitetsfältet - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. Denna egenskap blockerar inte alla medel för att anskaffa en skärmbild, bara de vanligaste. - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) Förhindra sandlådade processer från att skapa fönsteravbilder (Experimentell, kan orsaka användargränssnittsfel) - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Ta bort - + Security Options Säkerhetsalternativ - + Security Hardening Säkerhetshärdning - + Security Isolation Säkerhetsisolering - + Job Object Jobbobjekt - - - + + + unlimited obegränsad - + Total Processes Number Limit: Totala processers antalsgräns: - - + + bytes bytes - + Total Processes Memory Limit: Totala processers minnesgräns: - + Single Process Memory Limit: Enskild process minnesgräns: - - - + + + Leave it blank to disable the setting Lämna det blankt för att inaktivera inställningen - + Limit restrictions Begränsa restriktioner - + Advanced Security Adcanced Security Avancerad säkerhet @@ -8007,150 +8112,150 @@ Om du redan är en Great Supporter on Patreon, kan Sandboxie söka på nätet f Använd en Sandboxie-inloggning istället för ett anonymt tecken (experimentellt) - + Other isolation Annan isolering - + Privilege isolation Privilegieisolering - + Sandboxie token Sandboxie-tecken - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Använda ett anpassat Sandboxie-tecken tillåter att bättre isolera individuella sandlådor från varandra, och det visar i användarkolumnen hos aktivitetshanterare namnet på lådan en process tillhör. Vissa 3:dje parts säkerhetslösningar kan dock ha problem med anpassade tecken. - + Program Groups Programgrupper - + Add Group Addera grupp - - - - - + + + + + Add Program Addera program - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Du kan gruppera ihop program och ge dem ett gruppnamn. Programgrupper kan användas med några av inställningarna istället för programnamn. Grupper definierade för lådan överskriver grupper definierade i mallar. - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Visa mallar - + Program Control Programkontroll - + Force Programs Tvinga program - + Force Program Tvinga program - + Force Folder Tvinga mapp - + Security enhancements Säkerhetsutökningar - + Use the original token only for approved NT system calls Använd det ursprungliga tecknet endast för godkända NT systemanrop - + Restrict driver/device access to only approved ones Begränsa drivrutins-/enhetstillgång till endast godkänd en gång - + Enable all security enhancements (make security hardened box) Aktivera alla säkerhetsutökningar (skapa säkerhetshärdad låda) - - - - - - - + + + + + + + Type Typ - - - + + + Path Sökväg - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Program införda här, eller program startade från införda platser, förs in i denna sandlåda automatiskt, förutom om de är uttryckligt startade i en annan sandlåda. - + Breakout Programs Utbrytarprogram - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. Program införda här kommer tillåtas att bryta ut ur denna låda när de startar, du kan fånga dem in i en annan låda. Till exempel att alltid ha din webbläsare öppen i en dedikerad låda. Denna funktion kräver att ett giltigt supportercertifikat är installerat. - - + + Stop Behaviour Stoppa beteendet @@ -8174,32 +8279,32 @@ If leader processes are defined, all others are treated as lingering processes.< Om ledarprocesser är definierade, behandlas alla andra som kvardröjande program. - + Start Restrictions Startbegränsningar - + Issue message 1308 when a program fails to start Utfärda meddelande 1308 när ett program inte lyckas starta - + Allow only selected programs to start in this sandbox. * Tillåt endast valda program att starta i denna sandlåda. * - + Prevent selected programs from starting in this sandbox. Förhindra valda program från att starta i denna sandlåda. - + Allow all programs to start in this sandbox. Tillåt alla program att starta i denna sandlåda. - + * Note: Programs installed to this sandbox won't be able to start at all. * Notera: Program installerade till denna sandlåda kommer inte att kunna starta alls. @@ -8208,37 +8313,37 @@ Om ledarprocesser är definierade, behandlas alla andra som kvardröjande progra Internetbegränsningar - + Process Restrictions Processbegränsningar - + Issue message 1307 when a program is denied internet access Utfärda meddelande 1307 när ett program nekas internettillgång - + Prompt user whether to allow an exemption from the blockade. Fråga användaren om att tillåta ett undantag från blockaden. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Notera: Program installerade till denna sandlåda kan inte tillgå internet alls. - - - - - - + + + + + + Access Tillgång - + Set network/internet access for unlisted processes: Ange nätverks-/internettillgång för olistade processer: @@ -8247,75 +8352,76 @@ Om ledarprocesser är definierade, behandlas alla andra som kvardröjande progra Nätverkets brandväggsregler - + Test Rules, Program: Testregler, program: - + Port: Port: - + IP: IP: - + Protocol: Protokoll: - + X X - + Add Rule Addera regel - - - - - - - - - - + + + + + + + + + + Program Program - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Använd volymserienummer för enheter, likt: \enhet\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty Lådstrukturen kan endast ändras när sandlådan är tom + Allow sandboxed processes to open files protected by EFS - Tillåt sandlådade processer att öppna filer skyddade av EFS + Tillåt sandlådade processer att öppna filer skyddade av EFS - + Disk/File access Disk-/Filtillgång - + Virtualization scheme Virtualiseringsschema - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -8324,42 +8430,42 @@ Om ledarprocesser är definierade, behandlas alla andra som kvardröjande progra 2115: Filen migrerades inte, filen kommer öppnas skrivskyddad - + Issue message 2113/2114/2115 when a file is not fully migrated Utfärda meddelande 2113/2114/2115 när en fil inte är helt migrerad - + Add Pattern Addera mönster - + Remove Pattern Ta bort mönster - + Pattern Mönster - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie tillåter inte skrivande till värdfiler, annat än tillåtet av användaren. När en sandlådad applikation försöker modifiera en fil, behöver hela filen kopieras in i sandlådan, för stora filer kan detta ta ett bra tag. Sandboxie erbjuder alternativ för hantering av dessa fall, vilket kan konfigureras på denna sida. - + Using wildcard patterns file specific behavior can be configured in the list below: Användning av jokerteckenmönsters filspecifika beteende kan konfigureras i listan nedan: - + When a file cannot be migrated, open it in read-only mode instead När en fil inte kan migreras, öppna den i skrivskyddat läge istället - + Restrictions Begränsningar @@ -8368,56 +8474,56 @@ Om ledarprocesser är definierade, behandlas alla andra som kvardröjande progra Ikon - - + + Move Up Flytta upp - - + + Move Down Flytta ner - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Olika isoleringsegenskaper kan störa kompatibiliteten med en del appar. Om du INTE använder denna sandlåda <b> för säkerhet</b> utan för app-portabilitet, genom att ändra dessa alternativ kan du återställa kompatibilitet genom att offra lite säkerhet. - + Access Isolation Tillgångsisolering - + Image Protection Avbildsskydd - + Issue message 1305 when a program tries to load a sandboxed dll Utfärda meddelande 1305 när ett program försöker ladda en sandlådad dll - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox Förhindra sandlådade program installerade på värden från att ladda DLL:s från sandlådan - + Dlls && Extensions Dll:s && förlängningar - + Description Beskrivning - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8426,64 +8532,64 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Detta görs för att förhindra Rogue-processer inuti sandlådan från att skapa en namnändrad kopia av sig själva och tillgå skyddade resurser. En annan exploateringsvektor är injicerandet av ett bibliotek in i en auktoriserad process för att få tillgång till allting det ges tillgång till. Användande av Host Image Protection, kan detta förhindras genom att blockera applikationer (installerade på värden) körandes inuti en sandlåda från att ladda bibliotek från sandlådan självt. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. Sandboxies funktionalitet kan utökas genom att använda valfria dll`s som kan laddas in i varje sandlådad process av SbieDll.dll vid starten, tilläggshanteraren i globala inställningar erbjuder ett antal användbara förlängningar, väl installerade kan de aktiveras här för nuvarande låda. - + Disable forced Process and Folder for this sandbox Inaktivera tvingad process och mapp för denna sandlåda - + Breakout Program Utbrytarprogram - + Breakout Folder Utbrytarmapp - + Disable Security Isolation Inaktivera säkerhetsisolering - - + + Box Protection Lådskydd - + Protect processes within this box from host processes Skydda processer i denna låda från värdprocesser - + Allow Process Tillåt process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Utfärda meddelande 1318/1317 när en värdprocess försöker att tillgå en sandlådad process/låd-rooten - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus är kapabelt att skapa konfidentiella sandlådor som tillhandahåller robust skydd mot oauktoriserad övervakning eller manipulerande av värdprocesser. Genom användande av en krypterad sandlådeavbild, levererar denna egenskap den högsta nivån av operativ konfidentialitet, säkerställandes säkerheten och integriteten hos sandlådade processer. - + Deny Process Neka process - + Force protection on mount Tvinga skydd vid montering @@ -8493,115 +8599,137 @@ Detta görs för att förhindra Rogue-processer inuti sandlådan från att skap Förhindra sandlådade processer från att lägga sig i kraftfulla operationer - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. Förhindra processer från att fånga fönsterbilder från sandlådade fönster - + Allow useful Windows processes access to protected processes Tillåt Windows-processer som är till nytta tillgång till skyddade processer - + + Open access to Proxy Configurations + Öppna tillgång till Proxy-konfigurationer + + + + File ACLs + Fil-ACLs + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Använd ursprungliga Tillgångskontrollentrèer för lådade filer och mappar (för MSIServer aktivera undantag) + + + Use a Sandboxie login instead of an anonymous token Använd en Sandboxie-inloggning istället för ett anonymt tecken - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. - <b><font color='red'>SÄKERHETSRÅDGIVNING</font>:</b> Använda <a href="sbie://docs/breakoutfolder">Utbrytarmapp</a> och/eller <a href="sbie://docs/breakoutprocess">Utbrytarprocess</a> i kombination med Open[File/Pipe]Path-direktiv kan kompromettera säkerhet, likt användandet av <a href="sbie://docs/breakoutdocument">Utbrytardokument</a> tillåta varje * eller osäkra (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) förlängningar. Vänligen granska säkerhetssektionen för varje alternativ i dokumentationen före användande. + + Breakout Document + Utbrytardokument - + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SÄKERHETSRÅDGIVNING</font>:</b> Använda <a href="sbie://docs/breakoutfolder">Utbrytarmapp</a> och/eller <a href="sbie://docs/breakoutprocess">Utbrytarprocess</a> i kombination med Open[File/Pipe]Path-direktiv kan kompromettera säkerhet, likt användandet av <a href="sbie://docs/breakoutdocument">Utbrytardokument</a> tillåta varje * eller osäkra (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) förlängningar. Vänligen granska säkerhetssektionen för varje alternativ i dokumentationen före användande. + + + Lingering Programs Kvardröjande program - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Kvardröjande program kommer automatiskt att avslutas om de fortfarande körs efter att alla andra processer har avslutats. - + Leader Programs Ledarprogram - + If leader processes are defined, all others are treated as lingering processes. Om ledarprocesser är definierade, behandlas alla andra som kvardröjande processer. - + Stop Options Stoppalternativ - + Use Linger Leniency Använd kvardröjningsöverseende - + Don't stop lingering processes with windows Stoppa inte kvardröjande processer med fönster - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. Denna inställning kan användas för att förhindra program från att köra i sandlådan utan användarens vetskap eller medgivande. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. Visa en popupvarning före startandet av en process i sandlådan från en extern källa - + Files Filer - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Konfigurera vilka processer som kan tillgå filer, mappar och pipes. Öppen tillgång gäller endast programbinärer lokaliserade utanför sandlådan, du kan använda Öppna för alla istället för att göra det tillämpligt för alla program, eller ändra detta beteende i Policyfliken. - + Registry Registret - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Konfigurera vilka processer som kan tillgå registret. Öppen tillgång gäller endast programbinärer lokaliserade utanför sandlådan, du kan använda Öppna för alla istället för att göra det tillämpligt för alla program, eller ändra detta beteende i Policyfliken. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Konfigurera vilka processer som kan tillgå NT IPC objekt likt ALPC-portar och andra processers minne och kontext. För att specificera en process, använd '$:program.exe' som sökväg. - + Wnd Wnd - + Wnd Class Wnd Class @@ -8611,73 +8739,73 @@ För att specificera en process, använd '$:program.exe' som sökväg. Konfigurera vilka processer som kan tillgå skrivbordsobjekt likt Windows och liknande. - + COM COM - + Class Id Class-ID - + Configure which processes can access COM objects. Konfigurera vilka processer som kan tillgå COM-objekt. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Använd inte virtualiserad COM, Öppen tillgång till värdars COM infrastruktur (inte rekommenderat) - + Access Policies Tillgångspolicyer - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Tillämpa Stäng...=!<program>,... regler också till alla binärer lokaliserade i sandlådan. - + Network Options Nätverksalternativ - - - - + + + + Action Aktion - - + + Port Port - - - + + + IP IP - + Protocol Protokoll - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. BEAKTA: Windows Filtering Platform är inte aktiverad med drivrutinen, därför tillämpas dessa regler endast i användarläge och kan inte påtvingas!!! Detta betyder att skadliga applikationer kan passera dem. - + Resource Access Resurstillgång @@ -8686,7 +8814,7 @@ För att specificera en process, använd '$:program.exe' som sökväg. Resurstillgångsregler - + Add Wnd Class Addera Wnd Class @@ -8699,22 +8827,22 @@ You can use 'Open for All' instead to make it apply to all programs, o Du kan använda - Öppna för alla, istället för att tillämpa det för alla program, eller ändra detta beteende i fliken Policyer. - + Add COM Object Addera COM-objekt - + Add Reg Key Addera reg.nyckel - + Add IPC Path Addera IPC-sökväg - + Add File/Folder Addera fil/mapp @@ -8723,34 +8851,34 @@ Du kan använda - Öppna för alla, istället för att tillämpa det för alla p Resurstillgångspolicyer - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. Regelsäregenheten är ett mått för hur väl en given regel matchar en specifik sökväg, enkelt uttryckt är säregenheten längden på tecken från början av sökvägen upp till och inkluderandes den sista matchande non-wildcard understrängen. En regel som matchar endast filtyper likt "*.tmp" skulle ha den högsta säregenheten då den alltid skulle matcha den fulla sökvägen. Processmatchningsnivån har en högre prioritet än säregenheten och beskriver hur en regel tillämpas för en given processs. Regler tillämpade genom processnamn eller grupp har den starkaste matchningsnivån, följt av matchningen genom förnekande (d.v.s regler tillämpade till alla processer förutom den givna), medans den lägsta matchningsnivån har globala matchningar, d.v.s regler som är tillämpliga på varje process. - + Prioritize rules based on their Specificity and Process Match Level Prioriterar regler baserat på deras säregenhet och processmatchningsnivå - + Privacy Mode, block file and registry access to all locations except the generic system ones Integritetsläge, blockera fil- och registertillgång till alla platser förutom de för det generiska systemet - + Access Mode Tillgångsläge - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. När integritetsläget är aktiverat, kan sandlådade processer endast läsa C:\Windows\*, C:\Program Files\*, och delar av HKLM-registret, alla andra platser kommer behöva uttrycklig tillgång för att vara läsbara och/eller skrivbara. I detta läge, är regelsäregenhet alltid aktiverat. - + Rule Policies Regelpolicyer @@ -8760,47 +8888,47 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Tillämpa Stäng...=!<program>,... regler även till alla binärer lokaliserade i sandlådan. - + Apply File and Key Open directives only to binaries located outside the sandbox. Tillämpa fil- och nyckelöppnardirektiv endast till binärer lokaliserade utanför sandlådan. - + File Recovery Filåterställning - + Add Folder Addera mapp - + Ignore Extension Ignorera förlängning - + Ignore Folder Ignorera mapp - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Aktivera meddelandet Omedelbart återställande för att kunna återställa filer så fort som de är skapade. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Du kan utesluta mappar och filtyper (eller filförlängningar) från omedelbart återställande. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. När funktionen Omedelbart återställande är åberopad, kommer följande mappar bli kontrollerade för sandlådat innehåll. - + Immediate Recovery Omedelbart återställande @@ -8809,37 +8937,37 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Diverse alternativ - + Advanced Options Avancerade alternativ - + Miscellaneous Övrigt - + Emulate sandboxed window station for all processes Efterlikna sandlådad fönsterstation för alla processer - + Drop critical privileges from processes running with a SYSTEM token Skippa kritiska privilegier från processer körandes med ett SYSTEM-tecken - + Add sandboxed processes to job objects (recommended) Addera sandlådade processer till jobbobjekt (rekommenderat) - + Do not start sandboxed services using a system token (recommended) Starta inte sandlådade tjänster användandes ett SYSTEM-tecken (rekommenderas) - + Protect sandboxed SYSTEM processes from unprivileged processes Skydda sandlådade SYSTEM-processer från opriviligerade processer @@ -8848,45 +8976,45 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Öppen tillgång till COM-infrastruktur (rekommenderas inte) - + Allow only privileged processes to access the Service Control Manager Tillåt endast priviligerade processer att tillgå Service Control Manager - + Force usage of custom dummy Manifest files (legacy behaviour) Tvinga användandet av anpassade modellmanifestfiler (legacy beteende) - - + + (Security Critical) (Säkerhetskritisk) - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Starta den sandlådade RpcSs som en SYSTEM-process (rekommenderas inte) - + Don't alter window class names created by sandboxed programs Ändra inte fönsterklassnamn skapade av sandlådade program - - + + Compatibility Kompatibilitet - - - - - - - + + + + + + + Protect the sandbox integrity itself Skydda själva sandlådans integritet @@ -8903,28 +9031,28 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Tillåt användande av kapslade jobbobjekt (experimentell, fungerar på Windows 8 och senare) - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Inaktivera användandet av RpcMgmtSetComTimeout som standard (det kan lösa kompatibilitetsproblem) - + Isolation Isolering - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Säkerhetsisolering genom användande av tungt begränsade processtecken är Sandboxies primära medel för att tvinga sandlådebegränsningar, när det är inaktiverat opereras lådan i applikationavdelningsläget, d.v.s den tillhandahåller inte längre tillförlitlig säkerhet, bara enkelt applikationsavdelande. - + Open access to Windows Local Security Authority Öppna tillgång till Windows Local Security Authority - + Allow sandboxed programs to manage Hardware/Devices Tillåt sandlådade program att hantera hårdvara/enheter @@ -8937,27 +9065,27 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Olika avancerade isoleringsfunktioner kan söndra kompatibiliteten med vissa applikationer. Om du INTE använder denna sandlåda <b>för säkerhet</b> utan för enkel applikationsportabilitet, genom att ändra dessa alternativ kan du återställa kompatibilitet genom att offra viss säkerhet. - + Open access to Windows Security Account Manager Öppen tillgång till Windows Security Account Manager - + Security Isolation & Filtering Säkerhetisoleringsfiltrering - + Disable Security Filtering (not recommended) Inaktivera säkerhetsisolering (rekommenderas inte) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Säkerhetsfiltrering används av Sandboxie för att påtvinga filsystem- och registertillgångsbegränsningar, även såsom att begränsa processtillgång. - + The below options can be used safely when you don't grant admin rights. Nedan alternativ kan användas säkert när du inte beviljar adminrättigheter. @@ -8970,57 +9098,57 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Avancerad - + Add Option Addera alternativ - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. Här kan du konfigurera avancerade per process alternativ för förbättrande av kompatibiliteten och/eller anpassa sandlådningsbeteende. - + Option Alternativ - + Triggers Utlösare - + Event Händelse - - - - + + + + Run Command Kör kommandot - + Start Service Starta tjänsten - + These events are executed each time a box is started Dessa händelser verkställs varje gång en låda startas - + On Box Start Vid lådstart - - + + These commands are run UNBOXED just before the box content is deleted Dessa kommandon körs OLÅDADE precis innan lådinnehållet raderas @@ -9029,22 +9157,22 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Vid lådraderande - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Dessa kommandon verkställs endast när en låda påbörjas. För att köra dem igen, måste lådinnehållet raderas. - + On Box Init Vid lådstart - + These commands are run UNBOXED after all processes in the sandbox have finished. Dessa kommandon körs OLÅDADE efter att alla processer i sandlådan har avslutats. - + Here you can specify actions to be executed automatically on various box events. Här kan du specificera aktioner att verkställas automatiskt vid varierande lådhändelser. @@ -9053,88 +9181,88 @@ Processmatchningsnivån har en högre prioritet än säregenheten och beskriver Dölj processer - + Add Process Addera process - + Hide host processes from processes running in the sandbox. Dölj värdprocesser från processer körandes i sandlådan. - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. Kontrollerad: En lokal grupp kommer också att adderas till det nya skapade sandlådade tecknet, vilket tillåter addresserande till alla sandlådor på en gång. Kan vara användbart vid granskande av policyer. Delvis kontrollerad: Inga grupper kommer att adderas till det nya skapade sandlådade tecknet. - + Privacy Integritet - + Hide Firmware Information Hide Firmware Informations Dölj mjukvaruinformation - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) Förhindra sandlådade processer att tillgå systemdetaljer genom WMI ( se verktygstips/tooltip för mer info) - + Process Hiding Processdöljande - + Use a custom Locale/LangID Använd anpassad plats/språkID - + Data Protection Dataskydd - + Don't allow sandboxed processes to see processes running in other boxes Tillåt inte sandlådade processer att se processer som körs i andra lådor - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom Dumpa nuvarande mjukvarutabeller till HKCU\System\SbieCustom - + Dump FW Tables Dumpa mjukvarutabeller - + Users Användare - + Restrict Resource Access monitor to administrators only Begränsa resurstillgångsövervakning till administratörer endast - + Add User Addera användare @@ -9143,7 +9271,7 @@ Delvis kontrollerad: Inga grupper kommer att adderas till det nya skapade sandl Ta bort användare - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -9152,7 +9280,7 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Notera: Inställningarna Tvingade program och Tvinga mappar, för en sandlåda, gäller inte för användarkonton som inte kan använda sandlådan. - + Tracing Spårning @@ -9162,22 +9290,22 @@ Notera: Inställningarna Tvingade program och Tvinga mappar, för en sandlåda, API call spårning (kräver att LogAPI är installerat i sbie:s katalog) - + Pipe Trace Pipe Trace - + API call Trace (traces all SBIE hooks) API-anropspår (spårar alla SBIE hooks) - + Log all SetError's to Trace log (creates a lot of output) Logga alla SetError's till spårloggen (skapar en massa utflöde) - + Log Debug Output to the Trace Log Logga Debug Output till spårloggen @@ -9208,103 +9336,103 @@ istället för "*". Ntdll syscall-spår (skapar en massa utflöde) - + File Trace Filspår - + Disable Resource Access Monitor Inaktivera resurstillgångsövervakning - + IPC Trace IPC-spår - + GUI Trace GUI-spår - + Resource Access Monitor Resurstillgångsövervakare - + Access Tracing Tillgångsspårning - + COM Class Trace COM-class spår - + Key Trace Nyckelspår - - + + Network Firewall Nätverksbrandvägg - + Restart force process before they begin to execute Starta om Tvinga process innan de börjar verkställas - + Hide Disk Serial Number Dölj diskens serienummer - + Obfuscate known unique identifiers in the registry Förvräng kända unika identifierare i registret - + Don't allow sandboxed processes to see processes running outside any boxes Tillåt inte sandlådade processer att se processer körandes utanför någon låda - + Hide Network Adapter MAC Address - + Dölj nätverkadapterns MAC-adress - + DNS Request Logging Loggning av DNS-förfrågan - + Syscall Trace (creates a lot of output) Syscall spår (skapar en logg av utdata) - + Debug Felsök - + WARNING, these options can disable core security guarantees and break sandbox security!!! VARNING, dessa alternativ kan inaktivera kärnsäkerhetsgarantier och bryta sandlådesäkerhet!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Dessa alternativ är avsedda för felsökning av kompatibilitetsproblem, vänligen använd dem inte vid produktionsanvändning. - + App Templates Appmallar @@ -9313,22 +9441,22 @@ istället för "*". Kompatibilitetsmallar - + Filter Categories Filterkategorier - + Text Filter Textfilter - + Add Template Addera mall - + This list contains a large amount of sandbox compatibility enhancing templates Denna lista innehåller en stor mängd av kompatibilitetsutökande sandlådemallar @@ -9337,17 +9465,17 @@ istället för "*". Ta bort mall - + Category Kategori - + Template Folders Mallmappar - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -9356,13 +9484,13 @@ Please note that this values are currently user specific and saved globally for Vänligen notera att detta värde är för tillfället användarspecifikt och sparas globalt för alla lådor. - - + + Value Värde - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -9381,7 +9509,7 @@ Du kan anpassa loggningen via ini genom att specificera istället för "*". - + Issue message 2111 when a process access is denied Utfärda meddelande 2111 när en process nekas tillgång @@ -9394,27 +9522,27 @@ istället för "*". Tillämpa Stäng...=!<programmet>,... regler även till alla binärer lokaliserade i sandlådan. - + Allow use of nested job objects (works on Windows 8 and later) Tillåt användning av kapslade jobbobjekt (fungerar på Windows 8 och senare) - + Accessibility Tillgänglighet - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. För att kompensera för det förlorade skyddet, vänligen konsultera inställningen Skippa rättigheter i Säkerhetsalternativ > Säkerhetshärdning > Förhöjningsbegränsningar. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Skärmläsare: JAWS, NVDA, Window-Eyes, Systemtillgång - + Partially checked means prevent box removal but not content deletion. Delvis kontrollerad betyder förhindra lådborttagning men inte innehållsradering. @@ -9424,189 +9552,188 @@ istället för "*". Förhindra sandlådade processer från att använda allmänna metoder för att fånga fönsterbilder - + Configure which processes can access Desktop objects like Windows and alike. Konfigurera vilka processer som kan tillgå skrivbordsobjekt såsom Windows och liknande. - + Other Options Andra alternativ - + Port Blocking Portblockering - + Block common SAMBA ports Blockera vanliga SAMBA-portar - + DNS Filter DNS-filter - + Add Filter Addera filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. Med DNS-filtret kan individuella domäner blockeras på per processbasis. Lämna IP-kolumnen tom för att blockera eller föra in en IP för omdirigering. - + Domain Domän - + Internet Proxy Internetproxy - + Add Proxy Addera proxy - + Test Proxy Testa proxy - + Auth Autentisering - + Login Inloggning - + Password Lösenord - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. Sandlådade program kan bli tvingade att använda en förinställd SOCKS5 proxy. - + Only Administrator user accounts can make changes to this sandbox Endast en administratörs användarkonto kan göra ändringar till denna sandlåda - + Create a new sandboxed token instead of stripping down the original token Skapa ett nytt sandlådat tecken istället för att skala av originaltecknet - + Drop ConHost.exe Process Integrity Level - + Släpp ConHost.exe processintegritetsnivå - + Force Children Tvinga avkomling - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>SÄKERHETSRÅDGIVANDE</font>:</b> Använda <a href="sbie://docs/breakoutfolder">Utbrytarmapp</a> och/eller <a href="sbie://docs/breakoutprocess">Utbrytarprocess</a> i kombination med Öppen[fil-/pipe-]sökvägsdirektiv kan kompromettera säkerhet. Vänligen granska säkerhetssektionen för varje alternativ i dokumentationen före användning. + <b><font color='red'>SÄKERHETSRÅDGIVANDE</font>:</b> Använda <a href="sbie://docs/breakoutfolder">Utbrytarmapp</a> och/eller <a href="sbie://docs/breakoutprocess">Utbrytarprocess</a> i kombination med Öppen[fil-/pipe-]sökvägsdirektiv kan kompromettera säkerhet. Vänligen granska säkerhetssektionen för varje alternativ i dokumentationen före användning. - + Resolve hostnames via proxy Lös värdnamn via proxy - + Bypass IPs Förbigå IPs - + Block DNS, UDP port 53 Blockera DNS, UDP-port 53 - + Quick Recovery Omedelbart återställande - + Various Options Olika alternativ - + Apply ElevateCreateProcess Workaround (legacy behaviour) Tillämpa ElevateCreateProcess-lösningen (legacy beteende) - + Use desktop object workaround for all processes Använd skrivbordsobjektlösningen för alla processer - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. När den globala snabbtangenten trycks 3 gånger i kort följd kommer detta undantag att ignoreras. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. Exkludera denna sandlåda från att bli avslutad när Avsluta alla processer är anropat. - + On Box Terminate Vid Låd Terminerande - + This command will be run before the box content will be deleted Detta kommando kommer köras före det att lådinnehållet raderas - + On File Recovery Vid filåterställande - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked Detta kommando kommer köras före det att en fil återställs och filsökvägen kommer att passeras som första argument. Om detta kommando returnerar något annat än 0, blockeras återställningen - + Run File Checker Kör filkontrolleraren - + On Delete Content Vid Radera innehåll - + Protect processes in this box from being accessed by specified unsandboxed host processes. Skydda processer i denna låda från att tillgås av specificerade osandlådade processer. - - + + Process Process @@ -9615,37 +9742,37 @@ istället för "*". Blockera även lästillgång till processer i denna sandlåda - + Templates Mallar - + Open Template Öppna mall - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Följande inställningar aktiverar användandet av Sandboxie i kombination med tillgänglighetsprogram. Vänligen notera att ett visst mått av Sandboxies skydd av nödvändighet förloras när dessa inställningar aktiveras. - + Edit ini Section Redigera ini-sektionen - + Edit ini Redigera ini - + Cancel Avbryt - + Save Spara @@ -9662,7 +9789,7 @@ istället för "*". ProgramsDelegate - + Group: %1 Grupp: %1 @@ -9674,7 +9801,7 @@ istället för "*". Enhet: %1 - + Drive %1 Enhet %1 @@ -9682,27 +9809,27 @@ istället för "*". QPlatformTheme - + OK OK - + Apply Tillämpa - + Cancel Avbryt - + &Yes &Ja - + &No &Nej @@ -9715,22 +9842,22 @@ istället för "*". Sandboxie-Plus - Återställande - + Delete Radera - + Close Stäng - + TextLabel Textetikett - + Show All Files Visa alla filer @@ -9740,7 +9867,7 @@ istället för "*". Återställningsmål: - + Recover Återställ @@ -9750,7 +9877,7 @@ istället för "*". Addera mapp - + Refresh Uppdatera @@ -9826,7 +9953,7 @@ istället för "*". Visa meddelanden för relevanta loggmeddelanden - + Hotkey for terminating all boxed processes: Snabbtangent för att avsluta alla lådade processer: @@ -9836,17 +9963,17 @@ istället för "*". Programpanelspråk: - + Run box operations asynchronously whenever possible (like content deletion) Kör lådoperationer asynkront närhelst möjligt (likt innehållsradering) - + Open urls from this ui sandboxed Öppna internetadresser från denna programpanel sandlådade - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Visa återställningsfönstret vid tömning av sandlådor @@ -9861,93 +9988,93 @@ istället för "*". Använd mörkt tema (fullt tillämpat efter en omstart) - + Watch Sandboxie.ini for changes Ändringsbevaka Sandboxie.ini - + Show recoverable files as notifications Visa återställningsbara filer som meddelanden - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Räkna och visa diskutrymmet använt av varje sandlåda - + Shell Integration Skalintegrering - + Show Icon in Systray: Visa ikon i systemfältet: - + Always use DefaultBox Använd alltid standardlåda - + Add 'Run Un-Sandboxed' to the context menu Addera Kör osandlådad till utforskarens snabbmeny - + Add 'Run Sandboxed' to the explorer context menu Addera Kör sandlådad till utforskarens snabbmeny - + Start UI when a sandboxed process is started Starta programpanelen när en sandlådad process startas - + Start Menu Integration Startmenyintegrering - + Show a tray notification when automatic box operations are started Visa en fältavisering när automatiska lådoperationer startas - + Run Sandboxed - Actions Kör sandlådad - Aktioner - + Scan shell folders and offer links in run menu Skanna skalmappar och erbjud länkar i körmenyn - + On main window close: Vid huvudfönsterstängning: - + Systray options Systemfältsalternativ - + Start UI with Windows Starta programpanelen med Windows - + Show boxes in tray list: Visa lådor i fältlistan: - + Start Sandbox Manager Starta sandlådehanteraren @@ -9956,53 +10083,53 @@ istället för "*". Integrera lådor med värdens startmeny - + Use Compact Box List Använd kompakt lådlista - + Interface Config Gränssnittskonfigurering - + Make Box Icons match the Border Color Få lådikoner att matcha ramfärgen - + Use a Page Tree in the Box Options instead of Nested Tabs * Använd ett sidträd i lådalternativen istället för kapslade flikar - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie kanske utfärdar <a href="sbie://docs/sbiemessages">SBIE Meddelanden</a> till meddelandeloggen och visa dem som popups. Vissa meddelanden är informella och meddelar om ett vanligt, eller i vissa fall speciellt, event har skett, andra meddelanden indikerar ett feltillstånd.<br />Du kan dölja valda SBIE-meddelanden från att poppa upp via nedan lista: - + Disable SBIE messages popups (they will still be logged to the Messages tab) Inaktivera SBIE meddelandepopups (de loggas fortfarande till Meddelandefliken) - - + + Interface Options Gränssnittsalternativ - + Font Scaling Teckensnittsskalning - + High DPI Scaling Hög DPI-skalning - + (Restart required) (Omstart krävs) @@ -10011,7 +10138,7 @@ istället för "*". * obestämd betyder beroende av vyläget - + Use Dark Theme Använd mörkt tema @@ -10020,48 +10147,48 @@ istället för "*". Visa Classic:s bakgrund i lådlistan* - + Use large icons in box list * Använd stora ikoner i lådlistan * - + Don't show icons in menus * Visa inte ikoner i menyer * - + Show the Recovery Window as Always on Top Visa återställningsfönstret såsom Alltid överst - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Visa Pizzabakgrund i lådlistan* - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * en delvis markerad kontrollruta överlämnar beteendet att bestämmas av vyläget. - + % % - + Alternate row background in lists Alternera radbakgrunden i listorna - + Use Fusion Theme Använd fusionstema - + Advanced Config Avancerad konfiguration @@ -10070,42 +10197,42 @@ istället för "*". Separata användarmappar - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Haka fast valda Win32k systemanrop för att aktivera GPU-accelerering (experimentell) - + Portable root folder Portabel root-mapp - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Sandlåda <a href="sbie://docs/keyrootpath">registrets root</a>: - + Sandboxing features Sandlådningsegenskaper - + ... ... - + Sandbox default Sandlådestandard - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Sandlåda <a href="sbie://docs/filerootpath">filsystemets root</a>: - + Activate Kernel Mode Object Filtering Aktivera objektfiltrering i kernelläget @@ -10115,37 +10242,37 @@ istället för "*". SandMan-alternativ - + Notifications Meddelanden - + Add Entry Addera entrè - + Show file migration progress when copying large files into a sandbox Visa filmigrationsprocessen vid kopiering av stora filer in i en sandlåda - + Message ID Meddelande-ID - + Message Text (optional) Meddelandetext (valfritt) - + SBIE Messages SBIE-meddelanden - + Delete Entry Radera entrè @@ -10154,7 +10281,7 @@ istället för "*". Visa inte popup-meddelandeloggen för alla SBIE-meddelanden - + Notification Options Meddelandealternativ @@ -10163,7 +10290,7 @@ istället för "*". Sandboxie kan utfärda<a href= "sbie://docs/ sbiemessages">SBIE Meddelanden</a>till Meddelandeloggen och visa dem som popupper. Vissa meddelande är informativa och meddelar om en vanlig, eller i vissa fall speciell, händelse som har skett, andra meddelanden indikerar ett feltillstånd.<br/>Du kan dölja valda SBIE-meddelanden från att poppa upp via användning av nedan lista: - + Windows Shell Windows skal @@ -10172,234 +10299,234 @@ istället för "*". Ikon - + Move Up Flytta upp - + Move Down Flytta ner - + Show overlay icons for boxes and processes Visa överläggsikoner för lådor och processer - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list Dölj Sandboxie:s egna processer från aktivitetslistan - + Ini Editor Font Ini redigeringstypsnitt - + Graphic Options Grafiska alternativ - + Hotkey for bringing sandman to the top: Snabbtangent för att föra SandMan överst: - + Hotkey for suspending process/folder forcing: Snabbtangent för att upphäva process-/mapptvingande: - + Hotkey for suspending all processes: Hotkey for suspending all process Snabbkommando för att upphäva alla processer: - + Check sandboxes' auto-delete status when Sandman starts Kontrollera sandlådors autoraderingsstatus när SandMan startar - + Integrate with Host Desktop Integrera med Värdens skrivbord - + System Tray Aktivitetsfältet - + Open/Close from/to tray with a single click Öppna/Stäng från/till fältet med 1 klick - + Minimize to tray Minimera till fältet - + Select font Välj typsnitt - + Reset font Återställ typsnitt - + Ini Options Ini-alternativ - + # # - + Terminate all boxed processes when Sandman exits - + Avsluta alla lådade processer när Sandman avslutar - + External Ini Editor Extern ini-redigerare - + Add-Ons Manager Tilläggshanterare - + Optional Add-Ons Valfria tillägg - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus erbjuder flertalet alternativ och stöder en hel rad av förlängningar. På denna sida kan du konfigurera integreringen av tillägg, plugins, och andra 3:dje-parts komponenter. Valfria komponenter kan nedladdas från nätet, och vissa installationer kan kräva adminrättigheter. - + Status Status - + Version Version - + Description Beskrivning - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">uppdatera tilläggslista nu</a> - + Install Installera - + Add-On Configuration Tilläggskonfiguration - + Enable Ram Disk creation Aktivera RAM-disk skapande - + kilobytes kilobyte - + Assign drive letter to Ram Disk Tilldela enhetsbokstav till RAM-disken - + Disk Image Support Diskavbildsstöd - + RAM Limit RAM-gräns - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">Installera ImDisk:s</a> drivrutin för att aktivera RAM-disk och diskavbildsstöd.. - + Sandboxie Support Sandboxie support - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Detta supportercertifikat har utgått, vänligen <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">skaffa ett uppdaterat certifikat</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Supportrar av Sandboxie-Plus projektet kan erhålla ett <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supportercertifikat</a>. Det är som en licens men för fantastiska personer som använder öppen källa program. :-) - + Get Skaffa - + Retrieve/Upgrade/Renew certificate using Serial Number Hämta/Uppgradera/Förnya certifikat användandes serienummer - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Hålla Sandboxie uppdaterat med de rullande utgivningarna av Windows och kompatibelt med alla webbläsare är en aldrig upphörande ansträngning. Du kan stöda utvecklingen genom att <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">direkt bidra till projektet</a>, visa ditt stöd genom att <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">köpa ett supportercertifikat</a>, bli en patron genom att <a href="https://sandboxie-plus.com/go.php?to=patreon">prenumerera på Patreon</a>, eller genom en <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Ditt stöd spelar en vital roll i förbättrandet och underhållet av Sandboxie. - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + Update Settings Uppdateringsinställningar - + Update Check Interval Uppdateringskontrollintervall - + Use Windows Filtering Platform to restrict network access Använd Windows Filtering Platform för att begränsa nätverkstillgång - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Sandlåda <a href="sbie://docs/ipcrootpath">IPC-root</a>: @@ -10408,262 +10535,272 @@ istället för "*". Använd en Sandboxie-inloggning istället för ett anonymt tecken (experimentellt) - + Sandboxie.ini Presets Sandboxie.ini förinställningar - + Program Control Programkontroll - + USB Drive Sandboxing USB-enhets sandlådning - + Volume Volym - + Information Information - + Sandbox for USB drives: Sandlåda för USB-enheter: - + Automatically sandbox all attached USB drives Automatiskt sandlådande av alla anslutna USB-enheter - + App Templates Appmallar - + App Compatibility Appkompatibilitet - - - - - + + + + + Name Namn - + Path Sökväg - + Remove Program Ta bort program - + Add Program Addera program - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. När något av de följande programm startas utanför någon sandlåda, kommer Sandboxie utfärda meddelande SBIE1301. - + Add Folder Addera mapp - + Prevent the listed programs from starting on this system Förhindra de listade programmen från att starta på detta system - + Issue message 1308 when a program fails to start Utfärda meddelande 1308 när ett program inte lyckas starta - + Recovery Options Återställningsalternativ - + Integrate with Host Start Menu Integrera med värdens startmeny - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu Addera 'Ange tvinga i sandlåda' till snabbmenyn - + Add 'Set Open Path in Sandbox' to context menu Addera 'Ange öppen sökväg i sandlåda' till snabbmenyn - + Use new config dialog layout * Använd ny konfigureringsdialoglayout * - + Hide SandMan windows from screen capture (UI restart required) Dölj SandMan-fönster från skärmbildstagande (UI-omstart behövs) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. När en RAM-disk redan är monterad behöver du avmontera den för att detta alternativ ska få effekt. - + * takes effect on disk creation * får effekt vid diskskapande - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie plus.com/go.php?to=sbie use cert">Certifikatsanvändarguide</a> - + HwId: 00000000-0000-0000-0000-000000000000 HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + Certifikatsinfo - + Sandboxie Updater Sandboxie uppdaterare - + Keep add-on list up to date Håll tilläggslistan uppdaterad - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Insider-kanalen erbjuder tidig tillgång till nya egenskaper och buggfixar som slutligen kommer utges till allmänheten, likt väl som alla relevanta förbättringar från stable-kanalen. Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen förstörande, eller experimentella ändringar som kanske inte är färdiga för större användning. - + Search in the Insider channel Sök i Insider-kanalen - + New full installers from the selected release channel. Nya fullständiga installerare från den valda utgivningskanalen. - + Full Upgrades Fullständiga uppgraderingar - + Check periodically for new Sandboxie-Plus versions Sök periodvis efter nya Sandboxie-Plus versioner - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> Mer om <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">insider-kanalen</a> - + Keep Troubleshooting scripts up to date Håll felsökningsscript uppdaterade - + Use a Sandboxie login instead of an anonymous token Använd en Sandboxie-inloggning istället för ett anonymt tecken - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) Addera gruppen "Sandboxie\Alla sandlådor" till det sandlådade tecknet (experimentell) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + Denna egenskap skyddar sandlådan genom att begränsa tillgång; förhindra andra användare från att tillgå mappen. Säkerställ att root-mappsökvägen innehåller %ANVÄNDARE%-makrot så att varje användare får en dedikerad sandlådemapp. + + + + Restrict box root folder access to the the user whom created that sandbox + Begränsa lådrootmappstillgång för användaren som skapade sandlådan + + + Always run SandMan UI as Admin Kör alltid SandManUI som admin - + Program Alerts Programalarm - + Issue message 1301 when forced processes has been disabled Utfärda meddelande 1301 när tvingade processer har inaktiverats - + Sandboxie Config Config Protection Sandboxie-konfigurering - + User Interface Användargränssnitt - + Run Menu Körmeny - + Add program Addera program - + You can configure custom entries for all sandboxes run menus. Du kan konfigurera anpassade entrèer för alla sandlådors körmenyer. - - - + + + Remove Ta bort - + Command Line Kommandorad - + Support && Updates Support && Uppdateringar @@ -10672,47 +10809,47 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Sandlådekonfigurering - + Default sandbox: Standardsandlåda: - + Config protection Konfigurera skydd - + Clear password when main window becomes hidden Rensa lösenord när huvudfönstret blir dolt - + Only Administrator user accounts can make changes Endast administratörsanvändarkonton kan göra ändringar - + Only Administrator user accounts can use Pause Forcing Programs command Endast administratörsanvändarkonton kan använda kommandot Pausa programtvingande - + Password must be entered in order to make changes Lösenord måste föras in för att kunna göra ändringar - + Change Password Ändra lösenord - + This option also enables asynchronous operation when needed and suspends updates. Detta alternativ aktiverar även asynkron operation vid behov och skjuter upp uppdateringar. - + Suppress pop-up notifications when in game / presentation mode Kväv popup-meddelanden vid spel-/presentationsläge @@ -10721,67 +10858,67 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Kompatibilitet - + In the future, don't check software compatibility Kontrollera inte programkompatibilitet i framtiden - + Enable Aktivera - + Disable Inaktivera - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie har upptäckt följande mjukvaruapplikationer i ditt system. Klicka på OK för att tillämpa konfigurationsinställningarna, vilket kommer förbättra kompatibiliteten med dessa applikationer. Dessa konfigurationsinställningar kommer ha påverkan på alla existerande sandlådor samt även de nya. - + Local Templates Lokala mallar - + Add Template Addera mall - + Text Filter Textfilter - + This list contains user created custom templates for sandbox options Denna lista innehåller användarskapade anpassade mallar för sandlådealternativ - + Open Template Öppna mall - + Edit ini Section Redigera ini-sektionen - + Save Spara - + Edit ini Redigera ini - + Cancel Avbryt @@ -10790,7 +10927,7 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Support - + Incremental Updates Version Updates Inkrementella uppdateringar @@ -10800,12 +10937,12 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Nya fulla versioner från den valda utgivningskanalen. - + Hotpatches for the installed version, updates to the Templates.ini and translations. Snabbfixar för den installerade versionen, uppdateringar till mallar.ini och översättningar. - + The preview channel contains the latest GitHub pre-releases. Preview-kanalen innehåller de senaste GitHub förutgivningarna. @@ -10814,17 +10951,17 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Nya versioner - + Enter the support certificate here Ange supportcertifikatet här - + The stable channel contains the latest stable GitHub releases. Stable-kanalen innehåller de senaste stabila GitHub utgivningarna. - + Search in the Stable channel Sök i Stable-kanalen @@ -10833,7 +10970,7 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Hålla Sandboxie uppdaterat med de rullande utgivningarna av Windows och kompatibelt med alla webbläsare är en aldrig upphörande strävan. Vänligen överväg att supporta detta jobb med en donation.<br />Du kan supporta utvecklingen med en <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">PayPal donation</a>, fungerar också med kreditkort.<br />Eller förse kontinuerlig support med en <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon prenumeration</a>. - + Search in the Preview channel Sök i Preview-kanalen @@ -10866,7 +11003,7 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Supportinställningar - + In the future, don't notify about certificate expiration Meddela inte om certifikatsutgång i framtiden @@ -10892,7 +11029,7 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Vald ögonblicksbilds detaljer - + Description: Beskrivning: @@ -10902,32 +11039,32 @@ Till skillnad från preview-kanalen, inkluderar den inte otestade, möjligen fö Namn: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Vid raderande av ett ögonblicksbildinnehåll, kommer det att återgå till denna ögonblicksbild istället för ingen. - + Default snapshot Standardögonblicksbild - + Snapshot Actions Ögonblicksbildaktioner - + Take Snapshot Ta en ögonblicksbild - + Remove Snapshot Ta bort ögonblicksbild - + Go to Snapshot Gå till ögonblicksbild diff --git a/SandboxiePlus/SandMan/sandman_tr.ts b/SandboxiePlus/SandMan/sandman_tr.ts index faed19b9..7fd00bbe 100644 --- a/SandboxiePlus/SandMan/sandman_tr.ts +++ b/SandboxiePlus/SandMan/sandman_tr.ts @@ -9,53 +9,53 @@ Form - + kilobytes kilobayt - + Protect Box Root from access by unsandboxed processes Alan Kökünü korumalı alanda çalışmayan işlemlerin erişiminden koru - - + + TextLabel TextLabel - + Show Password Parolayı Göster - + Enter Password Parolayı Girin - + New Password Yeni Parola - + Repeat Password Parolayı Tekrarla - + Disk Image Size Disk Görüntüsü Boyutu - + Encryption Cipher Şifreleme Algoritması - + Lock the box when all processes stop. Tüm işlemler sonlandığında alanı kilitle. @@ -63,67 +63,67 @@ CAddonManager - + Do you want to download and install %1? %1 eklentisini indirmek ve kurmak istiyor musunuz? - + Installing: %1 Yükleniyor: %1 - + Add-on not found, please try updating the add-on list in the global settings! Eklenti bulunamadı, lütfen genel ayarlardan eklenti listesini güncellemeyi deneyin! - + Add-on Not Found Eklenti Bulunamadı - + Add-on is not available for this platform Eklenti bu platform için mevcut değil - + Missing installation instructions Kurulum talimatları eksik - + Executing add-on setup failed Eklenti kurulumu yürütülemedi - + Failed to delete a file during add-on removal Eklenti kaldırma işlemi sırasında bir dosya silinemedi - + Updater failed to perform add-on operation Güncelleyici, eklenti işlemini gerçekleştiremedi - + Updater failed to perform add-on operation, error: %1 Güncelleyici, eklenti işlemini gerçekleştiremedi, hata: %1 - + Do you want to remove %1? %1 eklentisini kaldırmak istiyor musunuz? - + Removing: %1 Kaldırılıyor: %1 - + Add-on not found! Eklenti bulunamadı! @@ -131,42 +131,42 @@ CAdvancedPage - + Advanced Sandbox options Gelişmiş Korumalı Alan Seçenekleri - + On this page advanced sandbox options can be configured. Bu sayfada gelişmiş korumalı alan seçenekleri yapılandırılabilir. - + Prevent sandboxed programs on the host from loading sandboxed DLLs Sistemde yüklü korumalı alanda çalışan işlemlerin alan içinden DLL yüklemesini önle - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. Bu özellik, korumalı alan konumundan çalışan işlemlerin ana sistem konumundan çalışan işlemlere veri yazmasını ve hatta onları başlatmasını da engellediği için uyumluluğu azaltabilir. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. Bu özellik, normal ekran görüntüsü işlevselliğini de engelleyerek kullanıcı deneyimini potansiyel olarak olumsuz etkileyebilir. - + Shared Template Paylaşımlı Şablon - + Shared template mode Paylaşımlı şablon modu - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -174,52 +174,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Bu ayar, korumalı alan yapılandırmasına yerel bir şablon veya bunun ayarlarını ekler, böylece bu şablondaki ayarlar korumalı alanlar arasında paylaşılır. Ancak paylaşım modu olarak 'Şablon olarak kullan' seçeneği seçildiğinde bazı ayarların durumu kullanıcı arayüzüne yansımayabilir. Şablonun ayarlarını değiştirmek için, Korumalı Alan Seçenekleri altındaki Uygulama Şablonları listesinde '%1' şablonunu bulmanız ve ardından düzenlemek için üzerine çift tıklamanız yeterlidir. Bu şablonu bir korumalı alan için devre dışı bırakmak istiyorsanız şablon listesindeki işaretini kaldırmanız yeterlidir. - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. Bu seçenek, korumalı alan yapılandırmasına herhangi bir ayar eklemez ve şablon içindeki kaldırma ayarlarına bağlı olarak varsayılan korumalı alan ayarlarını kaldırmaz. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. Bu seçenek, paylaşımlı şablonu korumalı alan yapılandırmasına bir yerel şablon olarak ekler ve şablon içindeki kaldırma ayarlarına bağlı olarak varsayılan korumalı alan ayarlarını kaldırabilir. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. Bu seçenek, paylaşımlı şablondaki ayarları korumalı alan yapılandırmasına ekler ve ayrıca şablon içindeki kaldırma ayarlarına bağlı olarak varsayılan korumalı alan ayarlarını kaldırabilir. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. Bu seçenek, korumalı alan yapılandırmasına herhangi bir ayar eklemez ancak şablon içindeki kaldırma ayarlarına bağlı olarak varsayılan korumalı alan ayarlarını kaldırabilir. - + Remove defaults if set Ayarlıysa varsayılanları kaldır - + + Shared template selection + Paylaşımlı şablon seçimi + + + + This option specifies the template to be used in shared template mode. (%1) + Bu seçenek, paylaşımlı şablon modunda kullanılacak şablonu belirtir. (%1) + + + Disabled Devre dışı - + Advanced Options Gelişmiş Seçenekler - + Prevent sandboxed windows from being captured Korumalı alandaki pencerelerin yakalanmasını önle - + Use as a template Şablon olarak kullan - + Append to the configuration Yapılandırmaya ekle @@ -313,7 +323,7 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Enter Box Image passwords: - Alan Görüntüsü parolalarını girin: + Alan Görüntüsü parolasını girin: @@ -326,17 +336,17 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Arşivi içe aktarmak için parolayı girin: - + kilobytes (%1) kilobayt (%1) - + Passwords don't match!!! Parolalar eşleşmiyor! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -344,7 +354,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are 20 veya daha fazla karakterden oluşan bir parola belirlemeniz önerilir. Kısa bir parola kullanmak istediğinizden emin misiniz? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -353,7 +363,7 @@ Bu uzunluk, gerçek İngilizce kelimelerden oluşan bir parola ile yaklaşık 38 Leet (L337) Konuşma değişikliklerinin uygulanmasıyla 512 bit'e çıkar ve tamamen rastgele yazdırılabilir ASCII karakterlerden oluşursa 768 biti aşar. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. Alan Disk Görüntüsünün boyutu en az 256 MB olmalıdır, 2 GB önerilir. @@ -369,38 +379,38 @@ Leet (L337) Konuşma değişikliklerinin uygulanmasıyla 512 bit'e çıkar CBoxTypePage - + Create new Sandbox Yeni Korumalı Alan Oluştur - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. Korumalı alan, ana sisteminizi korumalı alan içinde çalışan işlemlerden yalıtır ve onların diğer programlarda ve bilgisayarınızdaki verilerde kalıcı değişiklikler yapmasını engeller. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Korumalı alan, ana sisteminizi korumalı alan içinde çalışan işlemlerden yalıtır ve onların diğer programlarda ve bilgisayarınızdaki verilerde kalıcı değişiklikler yapmasını engeller. Yalıtım düzeyi, güvenliği ve uygulama uyumluluğunu etkiler, dolayısıyla seçilmiş 'Alan Türüne' bağlı olarak farklı bir yalıtım düzeyi sağlayacaktır. Sandboxie ayrıca kişisel verilerinize, kendi gözetimi altında çalışan işlemler tarafından erişilmesine karşı da koruyabilir. - + Enter box name: 'Sandbox' için 'Korumalı Alan' kullanıldığından dolayı 'Box' için de 'Alan' kullanıldı. Alan adı girin: - + Select box type: Alan türü seçin: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/privacy-mode">Veri Korumalı</a> <a href="sbie://docs/security-mode">Güçlendirilmiş</a> Alan - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -409,58 +419,58 @@ Kullanıcı verilerine erişimi katı bir biçimde sınırlandırarak bu alandak Kullanıcı profilinin tamamı gizlenerek en yüksek derecede güvenlik sağlanır. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox <a href="sbie://docs/security-mode">Güvenliği Güçlendirilmiş</a> Alan - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. Bu alan türü, korumalı alan işlemlerinin maruz kalabileceği saldırı yüzeyini önemli ölçüde azaltarak en yüksek derecede koruma sağlar. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/privacy-mode">Veri Korumalı</a> Alan - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. Bu alan türü, korumalı alan işlemlerinin herhangi bir kişisel kullanıcı dosyasına veya verisine erişimi engeller. Odak noktası ise kullanıcı verilerinin korunmasıdır. Bu nedenle bu korumalı alanda çalışan işlemler yalnızca C:\Windows ve C:\Program Files dizinlerine erişebilir. Bu kısıtlama, kişisel dosyaların güvende kalmasını sağlar. - + Standard Sandbox Standart Korumalı Alan - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. Bu alan türü, Sandboxie Classic'in varsayılan davranışını sunar. Kullanıcıların alıştığı ve güvenilir bir korumalı alan şeması sunar. Uygulamalar bu korumalı alanda çalıştırılarak denetimli ve yalıtılmış bir alanda çalışmaları sağlanır. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/privacy-mode">Veri Korumalı</a> <a href="sbie://docs/compartment-mode">Uygulama Bölmesi</a> Alanı - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. Bu alan türü, uyumluluğa öncelik verirken iyi düzeyde yalıtım sağlar. Güvenilir uygulamaları ayrı bölmelerde çalıştırmak için tasarlanmıştır. Diğer alan türlerine göre yalıtım seviyesi azalırken, çok çeşitli uygulamalarla uyumluluğu arttırır ve böylece korumalı alanda sorunsuz çalışmalarını sağlar. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">Uygulama Bölmesi</a> Alanı - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -469,62 +479,62 @@ Korumalı alan sisteme bağlandığında onun sanal diskine erişebilecek progra Bu şekilde gizli korumalı alan ortamında en yüksek düzeyde gizlilik ve veri koruması sağlanmış olur. - + Hardened Sandbox with Data Protection Veri Korumalı Güçlendirilmiş Alan - + Security Hardened Sandbox Güvenliği Güçlendirilmiş Alan - + Sandbox with Data Protection Veri Korumalı Alan - + Standard Isolation Sandbox (Default) Standart Yalıtımlı Korumalı Alan (Varsayılan) - + Application Compartment with Data Protection Veri Korumalı Uygulama Bölmesi - + Application Compartment Box Uygulama Bölmesi - + Confidential Encrypted Box Gizli Şifreli Alan - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? Şifreli alanları kullanmak için ImDisk sürücüsünü yüklemeniz gerekir. Şimdi indirip yüklemek ister misiniz? - + Remove after use Kullanıldıktan sonra kaldır - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> Alan içeriğini <a href="sbie://docs/boxencryption">Şifrele</a> ve <a href="sbie://docs/black-box">Gizle</a> - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. Alandaki son işlem sona erdikten sonra alandaki tüm verilerle birlikte alanın kendisi de kaldırılacaktır. - + Configure advanced options Gelişmiş seçenekleri yapılandır @@ -805,36 +815,64 @@ Bu sihirbazı kapatmak için Son'a tıklayabilirsiniz. Sandboxie-Plus - Korumalı Alanı Dışa Aktarma - + + 7-Zip + 7-Zip + + + + Zip + Zip + + + Store Sıkıştırmasız - + Fastest En hızlı - + Fast Hızlı - + Normal Normal - + Maximum Yüksek - + Ultra Çok yüksek + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + Sandboxie-Plus - Korumalı Alan İçe Aktarımı + + + + Select Directory + Dizin Seç + + + + This name is already in use, please select an alternative box name + Bu ad zaten kullanılıyor, lütfen alan için alternatif bir ad seçin + + CFileBrowserWindow @@ -884,74 +922,74 @@ Bu sihirbazı kapatmak için Son'a tıklayabilirsiniz. CFilesPage - + Sandbox location and behavior Korumalı Alan Konumu ve Davranışı - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. Bu sayfadan korumalı alan konumu ve davranışı özelleştirilebilir. Her kullanıcının korumalı alanını kendi klasörüne kaydetmek için %USER% kullanabilirsiniz. - + Sandboxed Files Korumalı Alan Dosyaları - + Select Directory Dizin Seç - + Virtualization scheme Sanallaştırma şeması - + Version 1 Sürüm 1 - + Version 2 Sürüm 2 - + Separate user folders Ayrı kullanıcı klasörleri - + Use volume serial numbers for drives Sürücüler için birim seri numaralarını kullan - + Auto delete content when last process terminates Son işlem sona erdiğinde içeriği otomatik olarak sil - + Enable Immediate Recovery of files from recovery locations Kurtarma konumlarındaki dosyalar için Anında Kurtarmayı etkinleştir - + The selected box location is not a valid path. Seçilen alan konumu geçerli bir yol değildir. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? Seçilen alan konumu zaten mevcut ve boş değil, yeni veya boş bir klasör seçmeniz önerilir. Mevcut klasörü kullanmak istediğinizden emin misiniz? - + The selected box location is not placed on a currently available drive. Seçilen alan konumu şu anda kullanılabilir bir sürücüde bulunmuyor. @@ -1086,83 +1124,83 @@ Her kullanıcının korumalı alanını kendi klasörüne kaydetmek için %USER% CIsolationPage - + Sandbox Isolation options Korumalı Alan Yalıtımı Seçenekleri - + On this page sandbox isolation options can be configured. Bu sayfada korumalı alan yalıtım seçenekleri yapılandırılabilir. - + Network Access Ağ Erişimi - + Allow network/internet access Ağ/internet erişimine izin ver - + Block network/internet by denying access to Network devices Ağ cihazlarına erişimi reddederek ağı/interneti engelleyin - + Block network/internet using Windows Filtering Platform Windows Filtreleme Platformunu kullanarak ağı/interneti engelle - + Allow access to network files and folders Ağ dosyalarına ve klasörlerine erişime izin ver - - + + This option is not recommended for Hardened boxes Güçlendirilmiş alanlar için bu seçenek önerilmez - + Prompt user whether to allow an exemption from the blockade Ağ engellemesinden muafiyete izin verilip verilmeyeceğini sor - + Admin Options Yönetici Seçenekleri - + Drop rights from Administrators and Power Users groups Yöneticiler ve Yetkili Kullanıcılar grupları haklarını bırak - + Make applications think they are running elevated Uygulamaların yetkilendirilmiş çalıştıklarını düşünmelerini sağla - + Allow MSIServer to run with a sandboxed system token MSIServer'ın korumalı alan sistem belirteci ile çalışmasına izin ver - + Box Options Alan Seçenekleri - + Use a Sandboxie login instead of an anonymous token Anonim kullanıcı yerine Sandboxie oturum açma belirteci kullan - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Özel bir Sandboxie belirteci kullanmak, birbirinden ayrı korumalı alanların daha iyi yalıtılmasını sağlar ve görev yöneticilerinin kullanıcı sütununda bir işlemin hangi alana ait olduğunu gösterir. Ancak bazı 3. parti güvenlik çözümleri özel belirteçlerle sorun yaşayabilir. @@ -1221,23 +1259,24 @@ Her kullanıcının korumalı alanını kendi klasörüne kaydetmek için %USER% Bu korumalı alanın içeriği şifrelenmiş bir konteyner dosyasına yerleştirilecektir. Lütfen konteyner dosyasında oluşabilecek herhangi bir bozulmanın içeriğin tamamını kalıcı olarak erişilemez hale getireceğini unutmayın. Bu bozulma bir BSOD (Mavi Ekran), bir depolama donanım yazılımı arızası veya kötü amaçlı bir uygulamanın rastgele dosyaların üzerine yazması sonucunda meydana gelebilir. Bu özellik katı bir <b>Yedekleme Yoksa Merhamet Yok</b> politikası kapsamında sağlanır. Şifrelenmiş bir alana kaydettiğiniz verilerden kullanıcı olarak SİZ KENDİNİZ sorumlusunuz. <br /><br />VERİLERİNİZİN TAM SORUMLULUĞUNU ALMAYI KABUL EDİYORSANIZ [EVET]'E TIKLAYIN, AKSİ TAKDİRDE [HAYIR]'A TIKLAYIN. - + Add your settings after this line. Bu satırdan sonra ayarlarınızı ekleyin. - + + Shared Template Paylaşımlı Şablon - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. Yeni korumalı alan, yeni <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Sanallaştırma Şeması Sürüm 2</a> kullanılarak oluşturulmuştur. Bu alanla ilgili herhangi bir beklenmeyen sorunla karşılaşırsanız, lütfen Sanallaştırma Şeması Sürüm 1'e geçip sorunu bize bildirin. Bu ön ayarı değiştirmek için Alan Seçenekleri sayfasındaki Dosya Seçenekleri grubunda bulunan Alan Yapısı bölümüne bakabilirsiniz. - + Don't show this message again. Bu mesajı bir daha gösterme. @@ -1253,138 +1292,138 @@ Her kullanıcının korumalı alanını kendi klasörüne kaydetmek için %USER% COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? Sandboxie-Plus'ın yeni sürümünü denetlemek istiyor musunuz? - + Don't show this message again. Bu mesajı bir daha gösterme. - + Checking for updates... Güncellemeler denetleniyor... - + server not reachable sunucuya ulaşılamıyor - - + + Failed to check for updates, error: %1 Güncellemeler denetlenemedi, hata: %1 - + <p>Do you want to download the installer?</p> <p>Yükleyiciyi indirmek istiyor musunuz?</p> - + <p>Do you want to download the updates?</p> <p>Güncellemeleri indirmek istiyor musunuz?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p><a href="%1"> İndirme sayfasına</a> gitmek istiyor musunuz?</p> - + Don't show this update anymore. Bu güncellemeyi artık gösterme. - + Downloading updates... Güncellemeler indiriliyor... - + invalid parameter geçersiz parametre - + failed to download updated information güncelleme bilgisi indirilemedi - + failed to load updated json file güncel json dosyası yüklenemedi - + failed to download a particular file belirli bir dosya indirilemedi - + failed to scan existing installation mevcut kurulum taranamadı - + updated signature is invalid !!! güncelleme imzası geçersiz! - + downloaded file is corrupted indirilen dosya bozuk - + internal error iç hata - + unknown error bilinmeyen hata - + Failed to download updates from server, error %1 Güncellemeler sunucudan indirilemedi, hata %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Sandboxie-Plus güncellemeleri indirildi.</p><p>Bu güncellemeleri uygulamak istiyor musunuz? Herhangi bir program korumalı alanda çalışıyorsa sonlandırılacaktır.</p> - + Downloading installer... Yükleyici indiriliyor... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>Yeni bir Sandboxie-Plus yükleyicisi şu konuma indirildi:</p><p><a href="%2">%1</a></p><p>Kuruluma başlamak istiyor musunuz? Herhangi bir program korumalı alanda çalışıyorsa sonlandırılacaktır.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Bilgi sayfasına <a href="%1">gitmek istiyor musunuz</a>?</p> - + Don't show this announcement in the future. Bu duyuruyu gelecekte gösterme. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Sandboxie-Plus'ın yeni bir sürümü mevcut.<br /><font color='red'><b>Yeni sürüm:</b></font> <b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1392,7 +1431,7 @@ Do you still want to update? Yine de güncellemek istiyor musunuz? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1410,8 +1449,8 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla - - + + @@ -1419,23 +1458,23 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla Şablon değerleri düzenlenemez. - - + + Browse for File Dosya için Göz At - - + + Please enter a menu title Lütfen bir menü başlığı girin - - + + Select Directory @@ -1457,47 +1496,73 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla Başlıkta korumalı alan adını göster - - + + Folder Klasör - + Children Alt İşlem - - - + + Document + Belge + + + + + Select Executable File Yürütülebilir Dosya Seçin - - - + + + Executable Files (*.exe) Yürütülebilir Dosyalar (*.exe) - + + Select Document Directory + Belge Dizini Seçin + + + + Please enter Document File Extension. + Lütfen Belge için Dosya Uzantısını girin. + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + Güvenlik nedeniyle tamamen joker karakterli BreakoutDocument ön ayarlarının oluşturulmasına izin verilmez. + + + + For security reasons the specified extension %1 should not be broken out. + Güvenlik nedeniyle belirtilen %1 uzantısı korumalı alan dışına çıkmamalıdır. + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Seçilen girişi zorlamak büyük olasılıkla Windows'u bozabilir, devam etmek istediğinizden emin misiniz? - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' Ayarlar - - + + - - + + @@ -1505,8 +1570,8 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla Grup: %1 - - + + Process İşlem @@ -1516,7 +1581,7 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla Yalnızca [#] göstergesini görüntüle - + %1 (%2) %1 (%2) @@ -1566,17 +1631,17 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla Uygulama Bölmesi - + Select Program Program Seç - + Please enter a command Lütfen bir komut girin - + kilobytes (%1) kilobayt (%1) @@ -1596,13 +1661,13 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla Pencere başlığını değiştirme - + - - - - + + + + @@ -1617,7 +1682,7 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla Klasör için Göz At - + Enter program: Program girin: @@ -1632,62 +1697,62 @@ Not: Güncellemeler, yalnızca test edilen güncellemelerin sunulmasını sağla RT arayüzleri isimleriyle belirtilmelidir. - + Browse for Program Program için Göz At - + Please enter a service identifier Lütfen bir hizmet tanımlayıcısı girin - + File Options Dosya Seçenekleri - + Grouping Gruplama - + Add %1 Template %1 Şablonu Ekle - + Search for options Seçeneklerde ara - + Box: %1 Alan: %1 - + Template: %1 Şablon: %1 - + Global: %1 Genel: %1 - + Default: %1 Varsayılan: %1 - + This sandbox has been deleted hence configuration can not be saved. Bu korumalı alan silindi, bu nedenle yapılandırma kaydedilemiyor. - + Some changes haven't been saved yet, do you really want to close this options window? Bazı değişiklikler henüz kaydedilmedi, bu seçenekler penceresini gerçekten kapatmak istiyor musunuz? @@ -1960,7 +2025,7 @@ Lütfen bu dosyayı içeren bir klasör seçin. giriş: IP veya Bağlantı Noktası boş olamaz - + Allow @@ -2027,125 +2092,125 @@ Lütfen bu dosyayı içeren bir klasör seçin. Veri Korumalı Uygulama Bölmesi - + Custom icon Özel simge - + Version 1 Sürüm 1 - + Version 2 Sürüm 2 - + Open Box Options Alan Seçeneklerini Aç - + Browse Content İçeriğe Göz At - + Start File Recovery Dosya Kurtarmayı Başlatın - + Show Run Dialog Çalıştır Diyaloğunu Göster - + Indeterminate Belirsiz - + Backup Image Header Görüntü Başlığını Yedekle - + Restore Image Header Görüntü Başlığını Geri Yükle - + Change Password Parolayı Değiştir - - + + Always copy Her zaman kopyala - - + + Don't copy Kopyalama - - + + Copy empty Boş kopyala - + Select color Renk seç - + Executables (*.exe *.cmd) Yürütülebilir dosyalar (*.exe *.cmd) - + The image file does not exist Görüntü dosyası mevcut değil - + The password is wrong Parola hatalı - + Unexpected error: %1 Beklenmeyen hata: %1 - + Image Password Changed Görüntü Parolası Değiştirildi - + Backup Image Header for %1 %1 için Görüntü Başlığını Yedekle - + Image Header Backuped Görüntü Başlığı Yedeklendi - + Restore Image Header for %1 %1 için Görüntü Başlığını Geri Yükle - + Image Header Restored Görüntü Başlığı Geri Yüklendi @@ -2155,153 +2220,153 @@ Lütfen bu dosyayı içeren bir klasör seçin. Yalnızca Alan (Salt Yazma) - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Seçili işlemler için win32 kancalarının kullanımını etkinleştirir. Not: Önce win32k syscall kanca desteğini global olarak etkinleştirmeniz gerekir. - + Enable crash dump creation in the sandbox folder Korumalı alan klasöründe kilitlenme döküm dosyası oluşturmayı etkinleştirir - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Bazen Program Uyumluluk Yardımcısı tarafından uygulandığı gibi her zaman ElevateCreateProcess düzeltmesini kullanır. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Bazı Edge düzeltmeleri için gerektiği gibi özel tutarsız PreferExternalManifest davranışını etkinleştirir - + Set RpcMgmtSetComTimeout usage for specific processes Belirli işlemler için RpcMgmtSetComTimeout kullanımını ayarlar - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Kopyalanmayacak bir dosyaya yapılan yazma açma çağrısını salt okunur hale getirmek yerine başarısız kılar. - + Make specified processes think they have admin permissions. Belirtilen işlemlerin yönetici izinlerine sahip olduklarını düşünmelerini sağlar. - + Force specified processes to wait for a debugger to attach. Belirtilen işlemleri bir hata ayıklayıcının bağlanmasına beklemeye zorlar. - + Sandbox file system root Korumalı alan dosya sistemi kökü - + Sandbox registry root Korumalı alan kayıt defteri kökü - + Sandbox ipc root Korumalı alan ipc kökü - - + + bytes (unlimited) bayt (sınırsız) - - + + bytes (%1) bayt (%1) - + unlimited sınırsız - + Add special option: Özel seçenek ekle: - - + + On Start Başlangıçta - - - - - + + + + + Run Command Komutu Çalıştır - + Start Service Hizmeti Başlat - + On Init İlk Kullanımda - + On File Recovery Doysa Kurtarmada - + On Delete Content İçerik Silmede - + On Terminate Sonlandığında - + Please enter a program file name to allow access to this sandbox Bu korumalı alana erişime izin vermek için lütfen bir program dosyası adı girin - + Please enter a program file name to deny access to this sandbox Bu korumalı alana erişimi reddetmek için lütfen bir program dosyası adı girin - + Deny Reddet - + Failed to retrieve firmware table information. Ürün yazılımı tablosu bilgileri alınamadı. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. Ürün yazılımı tablosu ana bilgisayar kayıt defterine başarıyla kaydedildi: HKEY_CURRENT_USER\System\SbieCustom<br />her alan için farklı bir değere sahip olacak şekilde bu anahtarı korumalı alan kayıt defterine kopyalayabilirsiniz. - - - - - + + + + + Please enter the command line to be executed Lütfen çalıştırılacak komut satırını girin @@ -2352,12 +2417,12 @@ Lütfen bu dosyayı içeren bir klasör seçin. CPopUpProgress - + Remove this progress indicator from the list Bu ilerleme göstergesini listeden kaldırır - + Dismiss Kaldır @@ -2365,42 +2430,42 @@ Lütfen bu dosyayı içeren bir klasör seçin. CPopUpPrompt - + No Hayır - + Yes Evet - + Requesting process terminated İstek süreci sonlandırıldı - + Remember for this process Bu işlem için hatırla - + Terminate Sonlandır - + Request will time out in %1 sec İsteğin süresi %1 saniye içinde dolacak - + Request timed out İsteğin süresi doldu - + Yes and add to allowed programs Evet ve izin verilen programlara ekle @@ -2408,67 +2473,67 @@ Lütfen bu dosyayı içeren bir klasör seçin. CPopUpRecovery - + Disable quick recovery until the box restarts Korumalı alan yeniden başlatılana kadar hızlı kurtarmayı devre dışı bırak - + Recover Kurtar - + Recover the file to original location Dosyayı gerçek konumuna kurtarır - + Dismiss Reddet - + Don't recover this file right now Bu dosya şimdilik kurtarılmaz - + Open file recovery for this box Bu korumalı alan için dosya kurtarma penceresini aç - + Dismiss all from this box Bu korumalı alandan gelen bildirimleri kaldır - + Recover to: Şuraya geri yükle: - + Browse Göz At - + Clear folder list Klasör listesini temizle - + Recover && Explore Kurtar && Keşfet - + Recover && Open/Run Kurtar && Aç/Çalıştır - + Select Directory Dizin Seç @@ -2573,7 +2638,7 @@ Tam yol: %4 - + Select Directory Dizin Seç @@ -2583,17 +2648,17 @@ Tam yol: %4 %1 - Dosya Kurtarma - + Recovering File(s)... Dosya(lar) Kurtarılıyor... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Korumalı alanda %3 disk alanı kaplayan %1 dosya ve %2 klasör var. - + There are %1 new files available to recover. Kurtarılabilecek %1 yeni dosya var. @@ -2618,12 +2683,17 @@ Tam yol: %4 Klasör listesini temizle - + + No Files selected! + Hiçbir Dosya Seçilmedi! + + + Do you really want to delete %1 selected files? Seçili %1 dosyayı gerçekten silmek istiyor musunuz? - + Close until all programs stop in this box Bu alandaki tüm programlar sonlanıncaya kadar kapat @@ -2633,7 +2703,7 @@ Tam yol: %4 Tüm anlık görüntüler dahil her şeyi sil - + Close and Disable Immediate Recovery for this box Kapat ve bu alan için Anında Kurtarmayı devre dışı bırak @@ -2783,22 +2853,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 Klasör bekleniyor: %1 - + Deleting folder: %1 Klasör siliniyor: %1 - + Merging folders: %1 &gt;&gt; %2 Klasörler birleştiriliyor: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Anlık Görüntü Birleştirme Tamamlanıyor... @@ -2806,67 +2876,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + No Admin Yönetici Yok - + No INet INet Yok - + No INet (with Exceptions) INet Yok (İstisnalarla) - + Auto Delete Oto Silme - + Normal Normal - + Net Share Net Paylaşımı - + Enhanced Isolation Geliştirilmiş Yalıtım - + Reduced Isolation Azaltılmış Yalıtım - + Disabled Devre Dışı - + OPEN Root Access AÇIK Kök Erişimi - + Application Compartment Uygulama Bölmesi - + NOT SECURE GÜVENLİ DEĞİL - + Privacy Enhanced Gelişmiş Gizlilik @@ -2880,7 +2950,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Çıkış - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus taşınabilir modda başlatıldı ve gerekli hizmetleri oluşturması gerekiyor. Bunun için yönetici ayrıcalıkları isteyecektir. @@ -2901,13 +2971,13 @@ Unlike the preview channel, it does not include untested, potentially breaking, &Görünüm - + Error deleting sandbox folder: %1 Korumalı alan klasörü silinirken hata: %1 - + About Sandboxie-Plus Sandboxie-Plus Hakkında @@ -2943,7 +3013,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Destek Forumu'nu Ziyaret Et - + Failed to copy configuration from sandbox %1: %2 %1 korumalı alanından yapılandırma kopyalaması başarısız oldu: %2 @@ -2953,7 +3023,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Basit Görünüm - + Login Failed: %1 Giriş başarısız: %1 @@ -2966,9 +3036,9 @@ Unlike the preview channel, it does not include untested, potentially breaking, - - - + + + Don't show this message again. Bu mesajı bir daha gösterme. @@ -2988,12 +3058,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Hizmeti Yükle - + Failed to remove old snapshot directory '%1' Eski anlık görüntü dizini kaldırılamadı '%1' - + The changes will be applied automatically as soon as the editor is closed. Düzenleyici kapatılır kapatılmaz değişiklikler otomatik olarak uygulanacaktır. @@ -3003,7 +3073,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie Yöneticisi'ni kapatmak istiyor musunuz? - + Failed to create directory for new snapshot Yeni anlık görüntü için dizin oluşturulamadı @@ -3054,7 +3124,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + Failed to move directory '%1' to '%2' '%1' dizini, '%2' dizinine taşınamadı @@ -3069,9 +3139,9 @@ Unlike the preview channel, it does not include untested, potentially breaking, Çevrimiçi Belgeler - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Hata @@ -3091,12 +3161,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Göster/Gizle - + A sandbox must be emptied before it can be deleted. Bir korumalı alan, silinmeden önce boşaltılmalıdır. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Korumalı alan adı yalnızca harf, rakam ve alt çizgi içerebilir. @@ -3106,12 +3176,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, &Bakım - + The sandbox name can not be a device name. Korumalı alan adı bir cihaz adı olamaz. - + Operation failed for %1 item(s). %1 öge için işlem başarısız oldu. @@ -3145,12 +3215,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Bağlan - + Only Administrators can change the config. Yalnızca Yöneticiler yapılandırmayı değiştirebilir. - + Snapshot not found Anlık görüntü bulunamadı @@ -3160,7 +3230,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Tümünü Durdur - + Delete protection is enabled for the sandbox Korumalı alan için silme koruması etkinleştirilmiş @@ -3170,7 +3240,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, &Gelişmiş - + Executing maintenance operation, please wait... Bakım işlemi yapılıyor, lütfen bekleyin... @@ -3187,7 +3257,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Yeni Alan Oluştur - + Failed to terminate all processes Tüm işlemler sonlandırılamadı @@ -3197,7 +3267,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Gelişmiş Görünüm - + Failed to delete sandbox %1: %2 %1: %2 Korumalı alanı silinemedi @@ -3208,17 +3278,17 @@ Unlike the preview channel, it does not include untested, potentially breaking, Tüm İşlemleri Sonlandır - + Please enter the configuration password. Lütfen yapılandırma parolasını girin. - + You are not authorized to update configuration in section '%1' '%1' bölümündeki yapılandırmayı güncelleme yetkiniz yok - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. '%1' ve '%2' anlık görüntü dizinleri birleştirilirken hata oluştu, anlık görüntü tam olarak birleştirilmedi. @@ -3238,12 +3308,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sonlandırılmışları Tut - + A sandbox of the name %1 already exists %1 adında bir korumalı alan zaten var - + Failed to set configuration setting %1 in section %2: %3 %2: %3 bölümünde %1 yapılandırma parametresi ayarlanamadı @@ -3410,267 +3480,267 @@ Unlike the preview channel, it does not include untested, potentially breaking, - Bağlı DEĞİL - + Failed to configure hotkey %1, error: %2 %1 kısayol tuşu yapılandırılamadı, hata: %2 - + The box %1 is configured to use features exclusively available to project supporters. %1 alanı, yalnızca proje destekçilerine sunulan özellikleri kullanacak şekilde yapılandırılmıştır. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. %1 alanı, <b>gelişmiş</b> destekçi sertifikası gerektiren özellikleri kullanacak şekilde yapılandırılmıştır. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. Gelişmiş özelliklerin kilidini açmak için <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Sertifikanızı yükseltin</a>. - + The selected feature requires an <b>advanced</b> supporter certificate. Seçilen özellik, <b>gelişmiş</b> bir destekçi sertifikası gerektiriyor. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />Bu özelliğin kilidini açmak için Great Patreon seviyesinde veya daha yüksek bir seviyede olmanız gerekir. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Seçilen özellik seti yalnızca proje destekçileri tarafından kullanılabilir. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Proje destekçisi olmak</a> için bir <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">destekçi sertifikası</a> edinin - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! Kullanmaya çalıştığınız sertifika engellendi, yani geçersiz kılındı. Bunu kullanmaya yönelik herhangi bir girişim, kullanım şartlarının ihlali anlamına gelir! - + The Certificate Signature is invalid! Sertifika İmzası geçersiz! - + The Certificate is not suitable for this product. Sertifika bu ürün için uygun değildir. - + The Certificate is node locked. Sertifika düğüm kilitli. - + The support certificate is not valid. Error: %1 Destek sertifikası geçerli değil. Hata: %1 - + The evaluation period has expired!!! Deneme süresi dolmuştur! - - + + Don't ask in future Gelecekte sorma - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? Şifreli korumalı alanlardaki tüm işlemleri sonlandırmak ve bağlantılarını kaldırmak istiyor musunuz? - + No Recovery Kurtarma Yok - + No Messages Mesaj Yok - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>HATA:</b> Sandboxie-Plus Yöneticisi (SandMan.exe) geçerli bir imzaya sahip değil (SandMan.exe.sig). Lütfen <a href="https://sandboxie-plus.com/go.php?to=sbie-get">resmî indirme sayfasından</a> güvenilir bir sürüm indirin. - + Maintenance operation completed Bakım işlemi tamamlandı - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Bu işlevsellik, Plus kullanıcı arayüzünde korumalı alan liste görünümüne entegre edilmiştir. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Alan/grup bağlam menüsünü kullanarak alanları ve grupları diğer gruplara taşıyabilirsiniz. Öğeleri hareket ettirmek için sürükle ve bırak özelliğini de kullanabilirsiniz. Alternatif olarak, öğeleri grupları içinde yukarı ve aşağı taşımak için ALT tuşunu basılı tutarken ok tuşlarını da kullanabilirsiniz.<br />Korumalı Alan menüsünden yeni alanlar ve gruplar oluşturabilirsiniz. - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Gizlenmiş mesaj kutuları dahil her şeyi (evet) veya yalnızca tüm günlük mesajlarını (hayır) sıfırlamak mı istiyorsunuz? - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. Templates.ini dosyasını düzenlemek üzeresiniz, bu genellikle önerilmez. Bu dosya Sandboxie'nin bir parçasıdır ve üzerinde yapılan tüm değişiklikler Sandboxie güncellendiğinde kaybolacaktır. - + The changes will be applied automatically whenever the file gets saved. Dosya her kaydedildiğinde değişiklikler otomatik olarak uygulanacaktır. - + Administrator rights are required for this operation. Bu işlem için yönetici hakları gereklidir. - + Failed to execute: %1 %1 çalıştırılamadı - + Failed to connect to the driver Sürücüye bağlanılamadı - + Failed to communicate with Sandboxie Service: %1 Sandboxie Hizmeti ile iletişim kurulamadı: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Uyumsuz bir Sandboxie %1 bulundu. Uyumlu sürümler: %2 - + Can't find Sandboxie installation path. Sandboxie kurulum yolu bulunamıyor. - + The sandbox name can not be longer than 32 characters. Korumalı alan adı 32 karakterden uzun olamaz. - + All processes in a sandbox must be stopped before it can be renamed. Bir korumalı alanın yeniden adlandırılabilmesi için oradaki tüm işlemlerin durdurulması gerekir. - + Failed to move box image '%1' to '%2' '%1' korumalı alan görüntüsü '%2' konumuna taşınamadı - + This Snapshot operation can not be performed while processes are still running in the box. Bu Anlık Görüntü işlemi, alan içinde işlemler çalışırken gerçekleştirilemez. - + Can't remove a snapshot that is shared by multiple later snapshots Birden çok anlık görüntü tarafından paylaşılan bir anlık görüntü kaldırılamaz - + The content of an unmounted sandbox can not be deleted Bağlanmamış bir korumalı alanın içeriği silinemez - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded İçe/Dışa Aktarma kullanılamıyor, 7z.dll yüklenemedi - + Failed to create the box archive Alan arşivi oluşturulamadı - + Failed to open the 7z archive 7z arşivi açılamadı - + Failed to unpack the box archive Alan arşivi açılamadı - + The selected 7z file is NOT a box archive Seçilen 7z dosyası bir alan arşivi DEĞİLDİR - + Remember choice for later. Seçimi sonrası için hatırla. - + Copy Cell Hücreyi Kopyala - + Copy Row Satırı Kopyala - + Copy Panel Paneli Kopyala - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>Sandboxie-Plus Hakkında</h3><p>Sürüm %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 Sandboxie'nin bu kopyası şu kişiler için sertifikalandırılmıştır: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie-Plus, kişisel ve ticari olmayan kullanım için ücretsizdir. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie-Plus, Sandboxie'nin açık kaynaklı bir devamıdır.<br />Daha fazla bilgi için <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> adresini ziyaret ediniz.<br /><br />%2<br /><br />Özellikler: %3<br /><br />Kurulum: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Simgeler için <a href="https://icons8.com">icons8.com</a> - + Failed to stop all Sandboxie components Tüm Sandboxie bileşenleri durdurulamadı - + Failed to start required Sandboxie components Gerekli Sandboxie bileşenleri başlatılamadı @@ -3696,17 +3766,17 @@ This file is part of Sandboxie and all change done to it will be reverted next t Kaldırılan şablonlar temizlendi... - + Can not create snapshot of an empty sandbox Boş bir korumalı alanın anlık görüntüsü oluşturulamaz - + A sandbox with that name already exists Bu adda bir korumalı alan zaten var - + Reset Columns Sütunları Sıfırla @@ -3721,7 +3791,7 @@ This file is part of Sandboxie and all change done to it will be reverted next t Bazı uyumluluk şablonları (%1) eksik, büyük olasılıkla silinmiş, bunları tüm alanlardan kaldırmak istiyor musunuz? - + Do you want to terminate all processes in all sandboxes? Tüm korumalı alanlardaki tüm işlemleri sonlandırmak istiyor musunuz? @@ -3771,12 +3841,12 @@ This file is part of Sandboxie and all change done to it will be reverted next t Bilinmeyen işlem '%1' komut satırı aracılığıyla istendi - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. DİKKAT: Bu Sandboxie oturumunu başka bir aracı (muhtemelen SbieCtrl.exe) zaten yönetiyor, lütfen önce onu kapatın ve devralmak için yeniden bağlanın. - + The config password must not be longer than 64 characters Yapılandırma parolası 64 karakterden uzun olmamalıdır @@ -3796,17 +3866,17 @@ This file is part of Sandboxie and all change done to it will be reverted next t Tüm Oturumları Göster - + Error Status: 0x%1 (%2) Hata Durumu: 0x%1 (%2) - + Unknown Bilinmeyen - + Unknown Error Status: 0x%1 Bilinmeyen Hata Durumu: 0x%1 @@ -3859,7 +3929,7 @@ Evet şunları seçer: %1 Hayır şunları seçer: %2 - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Seçilen özellik seti yalnızca proje destekçileri tarafından kullanılabilir. Bu özellik setinin destekçi sertifikası olmadan etkinleştirildiği bir alanda başlatılan işlemler 5 dakika sonra sonlandırılacaktır.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Proje destekçisi olmak</a> için bir <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">destekçi sertifikası</a> edinin @@ -4094,27 +4164,27 @@ Hayır şunları seçer: %2 Veri Dizini: %1 - - + + (%1) (%1) - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. %2 korumalı alanında başlatılan programlar 5 dakika içinde sonlandırılacaktır. Çünkü bu korumalı alan yalnızca proje destekçilerine sunulan %1 özelliğini kullanacak şekilde yapılandırılmış. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. %1 alanı, yalnızca proje destekçilerine sunulan özellikleri kullanacak şekilde yapılandırılmıştır, bu ön ayarlar yok sayılacaktır. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-cert">Proje destekçisi olmak</a> için bir <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">destekçi sertifikası</a> edinebilirsiniz @@ -4136,97 +4206,97 @@ Lütfen Sandboxie için bir güncelleme olup olmadığını kontrol edin.Windows derlemeniz %1, Sandboxie sürümünüzün bilinen mevcut destek yeteneklerini aşıyor; Sandboxie bilinen son ofsetleri kullanmaya çalışacak ve bu da sistem kararsızlığına neden olabilir. - + Please enter the duration, in seconds, for disabling Forced Programs rules. Lütfen Zorunlu Programlar kurallarını devre dışı bırakmak için süreyi saniye cinsinden girin. - + Maintenance operation failed (%1) Bakım işlemi başarısız oldu (%1) - + All sandbox processes must be stopped before the box content can be deleted Alan içeriği silinmeden önce tüm korumalı alan işlemleri durdurulmalıdır - + Failed to copy box data files Alan veri dosyaları kopyalanamadı - + Failed to remove old box data files Eski alan veri dosyaları kaldırılamadı - + The operation was canceled by the user İşlem kullanıcı tarafından iptal edildi - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? %1 bağlantısını korumalı alanda veya korumasız olarak Web tarayıcısında açmak istiyor musunuz? - + Sandboxed Korumalı - + Unsandboxed Korumasız - + Case Sensitive Harfe Duyarlı - + RegExp Düzİfa - + Highlight Vurgula - + Close Kapat - + &Find ... &Bul ... - + All columns Tüm Sütunlar - + The supporter certificate is not valid for this build, please get an updated certificate Bu destekçi sertifikası bu derleme için geçerli değildir, lütfen yenilenmiş bir sertifika edinin - + The supporter certificate has expired%1, please get an updated certificate Bu destekçi sertifikasının süresi dolmuş %1, lütfen yenilenmiş bir sertifika edinin - + , but it remains valid for the current build , ancak mevcut derleme için geçerli kalır - + The supporter certificate will expire in %1 days, please get an updated certificate Destekçi sertifikasının süresi %1 gün içinde dolacak, lütfen yenilenmiş bir sertifika edinin @@ -4284,7 +4354,7 @@ Lütfen Sandboxie için bir güncelleme olup olmadığını kontrol edin.Geçerli Yapılandırma: %1 - + Sandboxie config has been reloaded Sandboxie yapılandırması yeniden yüklendi @@ -4538,37 +4608,37 @@ Lütfen Sandboxie için bir güncelleme olup olmadığını kontrol edin. CSbieTemplatesEx - + Failed to initialize COM COM başlatılamadı - + Failed to create update session Güncelleme oturumu oluşturulamadı - + Failed to create update searcher Güncelleme arayıcısı oluşturulamadı - + Failed to set search options Arama seçenekleri ayarlanamadı - + Failed to enumerate installed Windows updates Yüklü Windows güncellemeleri listelenemedi - + Failed to retrieve update list from search result Arama sonucundan güncelleme listesi alınamadı - + Failed to get update count Güncelleme sayısı alınamadı @@ -4576,626 +4646,611 @@ Lütfen Sandboxie için bir güncelleme olup olmadığını kontrol edin. CSbieView - - + + Run Çalıştır - - + + Create Shortcut to sandbox %1 %1 korumalı alanına kısayol oluştur - + Options: Seçenekler: - + Drop Admin Rights Yönetici Haklarını Bırak - + Remove Group Grubu Kaldır - + Sandbox Options Korumalı Alan Seçenekleri - + Sandbox Presets Korumalı Alan Ön Ayarları - - + + Remove Sandbox Korumalı Alanı Kaldır - - + + Rename Sandbox Korumalı Alanı Yeniden Adlandır - + Run from Start Menu Başlat Menüsünden Çalıştır - + Preset Ön Ayar - + Please enter a new group name Lütfen yeni bir grup adı girin - + [None] [Yok] - + Please enter a new name for the Sandbox. Lütfen Korumalı Alan için yeni bir ad girin. - - + + Delete Content İçeriği Sil - + Run Program Program Çalıştır - + IPC root: %1 IPC kökü: %1 - + Block and Terminate Engelle ve Sonlandır - + Registry root: %1 Kayıt kökü: %1 - + File root: %1 Dosya kökü: %1 - - + + Terminate Sonlandır - + Set Leader Process Lider İşlem Olarak Ayarla - + Terminate All Programs Tüm Programları Sonlandır - + Do you really want to remove the selected group(s)? Seçili grup(lar)ı gerçekten kaldırmak istiyor musunuz? - + Run Web Browser Web Tarayıcısını Çalıştır - + Allow Network Shares Ağ Paylaşımlarına İzin Ver - - + + Snapshots Manager Anlık Görüntü Yöneticisi - + Block Internet Access İnternet Erişimini Engelle - + Set Linger Process Oyalayıcı İşlem Olarak Ayarla - - + + Create New Box Yeni Alan Oluştur - - + + Pin to Run Menu Çalıştır Menüsüne Sabitle - + Recover Files Dosyaları Kurtar - - + + Explore Content İçeriği Keşfet - - - - - + + + + + Create Shortcut Kısayol Oluştur - + Allow internet access İnternet Erişimine İzin Ver - + Force into this sandbox Bu Korumalı Alana Zorla - + This box does not have Internet restrictions in place, do you want to enable them? Bu alanda İnternet kısıtlamaları yok, bunları etkinleştirmek istiyor musunuz? - - - + + + Don't show this message again. Bu mesajı bir daha gösterme. - + This Sandbox is already empty. Bu Korumalı Alan zaten boş. - - + + Do you want to delete the content of the selected sandbox? Seçili korumalı alanın içeriğini silmek istiyor musunuz? - + Do you want to terminate all processes in the selected sandbox(es)? Seçili alan(lar)daki tüm işlemleri sonlandırmak istiyor musunuz? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? Bu korumalı alan şu anda devre dışı veya belirli gruplarla veya kullanıcılarla sınırlı. Herkesin erişimine izin vermek ister misiniz? - - - + + + This Sandbox is empty. Bu Korumalı Alan boş. - + A group can not be its own parent. Bir grup kendi ebeveyni olamaz. - + Ask for UAC Elevation UAC Yetkilendirmesi İste - + Emulate Admin Rights Yönetici Haklarını Taklit Et - + Default Web Browser Varsayılan Web Tarayıcısı - + Default eMail Client Varsayılan e-Posta İstemcisi - + Windows Explorer Windows Gezgini - + Registry Editor Kayıt Defteri Düzenleyicisi - + Programs and Features Programlar ve Özellikler - - + + Create Box Group Alan Grubu Oluştur - + Rename Group Grubu Yeniden Adlandır - + Command Prompt Komut İstemi - + Command Prompt (as Admin) Komut İstemi (Yönetici olarak) - + Command Prompt (32-bit) Komut İstemi (32-bit) - + Execute Autorun Entries Otomatik Çalıştırma Girişlerini Yürüt - + Browse Files Dosyalara Gözat - - + + Move Sandbox Korumalı Alanı Taşı - + Browse Content İçeriğe Göz At - + Box Content Alan İçeriği - + Open Registry Kayıt Defterini Aç - - + + Refresh Info Bilgileri Yenile - - + + Import Box Alanı İçe Aktar - - + + (Host) Start Menu (Ana Sistem) Başlat Menüsü - - + + Mount Box Image Alan Görüntüsünü Bağla - - + + Unmount Box Image Alan Görüntüsünü Çıkar - + Immediate Recovery Anında Kurtarma - + Disable Force Rules Zorlama Kurallarını Kapat - - + + Sandbox Tools Korumalı Alan Araçları - + Duplicate Box Config Alan Yapılandırmasını Çoğalt - + Export Box Alanı Dışa Aktar - - + + Move Up Yukarı Taşı - - + + Move Down Aşağı Taşı - + Suspend Askıya Al - + Resume Sürdür - + Run eMail Reader E-posta Okuyucuyu Çalıştır - + Run Any Program Herhangi Bir Program Çalıştır - + Run From Start Menu Başlat Menüsünden Çalıştır - + Run Windows Explorer Windows Gezginini Çalıştır - + Terminate Programs Programları Sonlandır - + Quick Recover Hızlı Kurtarma - + Sandbox Settings Korumalı Alan Ayarları - + Duplicate Sandbox Config Korumalı Alan Yapılandırmasını Çoğalt - + Export Sandbox Korumalı Alanı Dışa Aktar - + Move Group Grubu Taşı - + Disk root: %1 Disk kökü: %1 - + Please enter a new name for the Group. Lütfen Grup için yeni bir ad girin. - + Move entries by (negative values move up, positive values move down): Girişleri hareket ettir (negatif değerler yukarı, pozitif değerler aşağı hareket eder): - + Failed to open archive, wrong password? Arşiv açılamadı, yanlış parola mı? - + Failed to open archive (%1)! Arşiv açılamadı (%1)! - - This name is already in use, please select an alternative box name - Bu ad zaten kullanılıyor, lütfen alan için alternatif bir ad seçin - - - - Importing Sandbox - Korumalı Alan İçe Aktarılıyor - - - - Do you want to select custom root folder? - Özel bir kök klasör seçmek ister misiniz? - - - + Importing: %1 İçe aktarılıyor: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. Korumalı Alan adı ve Alan Grubu adı ',()' sembolünü kullanamaz. - - + + Select file name Dosya adı seçin - - - 7-zip Archive (*.7z) - 7-zip Arşivi (*.7z) + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + 7-Zip Arşivi (*.7z);;Zip Arşivi (*.zip) - + Exporting: %1 Dışa aktarılıyor: %1 - + Please enter a new alias for the Sandbox. Lütfen korumalı alan için yeni bir takma ad girin. - + The entered name is not valid, do you want to set it as an alias instead? Girilen ad geçerli değil, bunu bir takma ad olarak ayarlamak ister misiniz? - - + + Terminate without asking Sormadan sonlandır - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Sandboxie Başlat Menüsü şimdi görüntülenecektir. Menüden bir uygulama seçtikten sonra gerçek masaüstünüzde o uygulamayı Sandboxie'nin gözetiminde çalıştırmak için kullanabileceğiniz yeni bir kısayol simgesi oluşturulacaktır. - + Do you want to terminate %1? %1 sonlandırılsın mı? - + the selected processes Seçilen işlemler - + Please enter a new name for the duplicated Sandbox. Lütfen kopyalanan Korumalı Alan için yeni bir ad girin. - + %1 Copy %1 Kopya - - + + Stop Operations İşlemleri Durdur - + Standard Applications Standart Uygulamalar - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. UYARI: Açılan kayıt defteri düzenleyicisi korumalı alanda değildir, lütfen dikkatli olun ve yalnızca önceden seçilmiş korumalı alan konumlarında değişiklik yapın. - + Don't show this warning in future Bu uyarıyı gelecekte gösterme - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Seçilen korumalı alan(lar)ı gerçekten kaldırmak istiyor musunuz?<br /><br />Uyarı: Alan içeriği de silinecektir! - - + + Also delete all Snapshots Tüm Anlık Görüntüleri de sil - + Do you really want to delete the content of all selected sandboxes? Seçilen tüm korumalı alanların içeriğini gerçekten silmek istiyor musunuz? - + This name is already used for a Box Group. Bu ad zaten bir Alan Grubu için kullanılıyor. - + This name is already used for a Sandbox. Bu ad zaten bir Korumalı Alan için kullanılıyor. @@ -5239,577 +5294,577 @@ Lütfen Sandboxie için bir güncelleme olup olmadığını kontrol edin. CSettingsWindow - + Please enter the new configuration password. Lütfen yeni yapılandırma parolasını girin. - - + + Select Directory Dizin Seç - + Please enter a program file name Lütfen bir program dosyası adı girin - + Folder Klasör - + Process İşlem - + Sandboxie Plus - Global Settings Sandboxie Plus - Genel Ayarlar - + Search for settings Ayarlarda ara - + kilobytes (%1) kilobayt (%1) - + Volume not attached Birim eklenmedi - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> <b>%1/%2 deneme sertifikası kullandınız. Daha fazla ücretsiz sertifika oluşturulamaz.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> <b><a href="_">Ücretsiz deneme sertifikası alın</a> ve tüm premium özelliklerin %1 gün boyunca keyfini çıkarın.</b> - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Bu destekçi sertifikasının süresi dolmuş, lütfen <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">güncellenmiş bir sertifika edinin</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Plus özellikleri %1 gün içinde devre dışı bırakılacak.</font> - + <br />Plus features are no longer enabled. <br />Plus özellikleri artık etkin değil. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Bu destekçi sertifikası <font color='red'>%1 gün içinde</font> sona erecek, lütfen <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert" >güncellenmiş bir sertifika edinin</a>. - + Expires in: %1 days Kalan kullanım süresi: %1 gün - + Expired: %1 days ago Süresi doldu: %1 gün önce - + Options: %1 Seçenekler: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - Güvenlik/Gizlilik Geliştirildi & Uygulama Bölmeleri (SBox): %1 + Gelişmiş Güvenlik/Gizlilik & Uygulama Bölmeleri (SBox): %1 - - - - + + + + Enabled Etkin - - - - + + + + Disabled Devre dışı - + Encrypted Sandboxes (EBox): %1 Şifreli Korumalı Alanlar (EBox): %1 - + Network Interception (NetI): %1 Ağ Yakalama (NetI): %1 - + Sandboxie Desktop (Desk): %1 Sandboxie Masaüstü (Masa): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - Bu, Sandboxie-Plus Seri Numarasına benzemiyor.<br />Bir sertifikanın yalnızca UPDATEKEY veya SIGNATURE değerini girmeyi denediyseniz, bu doğru değildir Lütfen bunun yerine yukarıdaki metin alanına sertifikanın tamamını giriniz. + Bu numara Sandboxie-Plus Seri Numarasına benzemiyor.<br />Bir sertifikanın yalnızca UPDATEKEY veya SIGNATURE değerini girmeyi denediyseniz, bu doğru değildir Lütfen bunun yerine yukarıdaki metin alanına sertifikanın tamamını giriniz. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. Özellik yükseltme anahtarını mevcut bir destekçi sertifikası girmeden önce kullanmaya çalışıyorsunuz. Lütfen bu tür anahtarların (<b>web sitesinde kalın harflerle açıkça belirtildiği gibi</b>) mevcut geçerli bir destekçi sertifikasına sahip olmanızı gerektirdiğini, sertifika olmadan hiçbir işe yaramadığını unutmayın.<br />Gelişmiş özellikleri kullanmak için, hem standart bir sertifika hem de gelişmiş özelliklerin kilidini açacak bir özellik yükseltme anahtarı edinmeniz gerekir. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. Yenileme anahtarını mevcut bir destekçi sertifikası girmeden önce kullanmaya çalışıyorsunuz. Lütfen bu tür anahtarların (<b>web sitesinde kalın harflerle açıkça belirtildiği gibi</b>) mevcut geçerli bir destekçi sertifikasına sahip olmanızı gerektirdiğini, sertifika olmadan hiçbir işe yaramadığını unutmayın. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>Ürün açıklamasını okumadan yanlışlıkla bu anahtarı aldıysanız, sorunu çözmek için lütfen e-posta (web sitemizde belirtilen) yoluyla bizimle iletişime geçin.</u> - + Sandboxie-Plus - Get EVALUATION Certificate Sandboxie-Plus - DENEME Sertifikası Al - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. Lütfen %2 için verilecek ve geçerli donanıma kilitlenecek ücretsiz %1 günlük deneme sertifikası almak için e-posta adresinizi girin. Her benzersiz donanım kimliği için %3 kereye kadar deneme sertifikası talep edebilirsiniz. - + Error retrieving certificate: %1 Sertifika alınırken hata oluştu: %1 - + Unknown Error (probably a network issue) Bilinmeyen Hata (muhtemelen bir ağ sorunu) - + Contributor Katılımcı - + Eternal Sürekli - + Business İş - + Personal Kişisel - + Great Patreon Büyük Patreon - + Patreon Patreon - + Family Aile - + Evaluation Deneme - + Type %1 Tür %1 - + Advanced Gelişmiş - + Advanced (L) Gelişmiş (L) - + Max Level En Üst Seviye - + Level %1 Seviye %1 - + Supporter certificate required for access Erişim için destekçi sertifikası gerekli - + Supporter certificate required for automation Otomasyon için destekçi sertifikası gerekli - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. Bu sertifika ne yazık ki mevcut derleme için geçerli değil, yeni bir sertifika almanız veya önceki bir derlemeye geçmeniz gerekiyor. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. Bu sertifikanın süresi dolmuş olsa da, şu anda yüklü olan sürüm için Plus özellikleri etkin durumda kalır. Ancak, bundan sonraki sürümlerde uyumluluk güncellemeleri ve çevrimiçi sorun giderme veritabanı da dahil olmak üzere Sandboxie-Live hizmetlerine erişiminiz olmayacak. - + This certificate has unfortunately expired, you need to get a new certificate. Bu sertifikanın süresi ne yazık ki dolmuş, yeni bir sertifika almanız gerekiyor. - + The evaluation certificate has been successfully applied. Enjoy your free trial! Deneme sertifikası başarıyla uygulandı. Ücretsiz denemenizin tadını çıkarın! - + <a href="check">Check Now</a> <a href="check">Şimdi Denetle</a> - + Please re-enter the new configuration password. Lütfen yeni yapılandırma parolasını tekrar girin. - + Passwords did not match, please retry. Parolalar eşleşmedi, lütfen tekrar deneyin. - + Auto Detection Otomatik Algıla - + Thank you for supporting the development of Sandboxie-Plus. Sandboxie-Plus'ın gelişimini desteklediğiniz için teşekkür ederiz. - + Don't show any icon Herhangi bir simge gösterme - + Show Plus icon Plus simgesini göster - + Show Classic icon Classic simgesini göster - + No Translation Çeviri yok - - + + Don't integrate links Kısayolları entegre etme - - + + As sub group Alt grup olarak - - + + Fully integrate Tamamen entegre et - + All Boxes Tüm Alanlar - + Active + Pinned Etkin + Sabitlenmiş - + Pinned Only Yalnızca Sabitlenmiş - + Close to Tray Tepsiye kapat - + Prompt before Close Kapatmadan önce sor - + Close Kapat - + None Hiçbiri - + Native Doğal - + Qt Qt - + Every Day Her Gün - + Every Week Her Hafta - + Every 2 Weeks Her 2 Haftada Bir - + Every 30 days Her 30 Günde Bir - + Ignore Yok Say - + %1 %1 - + Browse for Program Program için Göz At - + Add %1 Template %1 Şablonu Ekle - + HwId: %1 HwId: %1 - + Select font Yazı tipini seç - + Reset font Yazı tipini sıfırla - + %0, %1 pt %0, %1 pt - + Please enter message Lütfen mesaj giriniz - + Select Program Program Seç - + Executables (*.exe *.cmd) Yürütülebilir dosyalar (*.exe *.cmd) - - + + Please enter a menu title Lütfen bir menü başlığı girin - + Please enter a command Lütfen bir komut girin - - - + + + Run &Sandboxed &Korumalı Alanda Çalıştır - - + + Notify Bildir - - + + Download & Notify İndir & Bildir - - + + Download & Install İndir & Yükle - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. Donanım Kimliği başına %2 kereye kadar ücretsiz %1 günlük deneme sertifikası talep edebilirsiniz. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>Şu anda yüklü olan sürüm için Plus özellikleri etkin durumdadır</font>. Ancak, bundan sonraki sürümlerde uyumluluk güncellemeleri ve çevrimiçi sorun giderme veritabanı da dahil olmak üzere Sandboxie-Live hizmetlerine erişiminiz olmayacak. - - + + Retrieving certificate... Sertifika alınıyor... - + Home Ev - + Run &Un-Sandboxed &Korumalı Alanın Dışında Çalıştır - + Set Force in Sandbox Korumalı Alanda Zorlamaya Ayarla - + Set Open Path in Sandbox Korumalı Alanda Açık Erişime Ayarla - + Update Available Güncelleme Mevcut - + Installed Kurulu - + by %1 %1 tarafından - + (info website) (bilgi sitesi) - + This Add-on is mandatory and can not be removed. Bu Eklenti zorunludur ve kaldırılamaz. - + Please enter the template identifier Lütfen şablon tanımlayıcısını girin - + Error: %1 Hata: %1 - + Do you really want to delete the selected local template(s)? Seçili yerel şablonları gerçekten silmek istiyor musunuz? - + %1 (Current) %1 (Kullanılan) - + Sandboxed Web Browser Korumalı Web Tarayıcısı - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Bu bir sertifikaya benzemiyor. Lütfen sertifikanın sadece bir kısmını değil tamamını girin. @@ -6045,76 +6100,76 @@ Günlük eklemeden göndermeyi deneyin. CSummaryPage - + Create the new Sandbox Yeni Korumalı Alanı Oluştur - + Almost complete, click Finish to create a new sandbox and conclude the wizard. Neredeyse tamamlandı, yeni bir korumalı alan oluşturmak ve sihirbazı tamamlamak için Bitiş'e tıklayın. - + Save options as new defaults Seçenekleri yeni varsayılanlar olarak kaydet - + Skip this summary page when advanced options are not set Gelişmiş seçenekler ayarlanmadığında bu özet sayfasını atla - + This Sandbox will be saved to: %1 Bu Korumalı Alan şuraya kaydedilecek: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. Bu alandaki son işlem sona erdikten sonra alanın içeriği ATILACAKTIR ve alan kaldırılacaktır. - + This box will DISCARD its content when its closed, its suitable only for temporary data. Bu alan kapandığında kendi içeriğini ATACAKTIR, yalnızca geçici veriler için uygundur. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. Bu alandaki işlemler internete veya yerel ağa erişemez, böylece erişilen tüm verilerin gizli kalmasını sağlar. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. Bu alan, MSIServer'ı (*.msi yükleyici hizmeti) bir sistem belirteci ile çalıştıracaktır, bu uyumluluğu artırır ancak güvenlik yalıtımını azaltır. - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. Bu alandaki işlemler, aslında yönetici ayrıcalıklarına sahip olmadan, yönetici ayrıcalıklarıyla çalıştırıldıklarını düşünecektir. Böylece yükleyiciler güvenliği güçlendirilmiş bir alanda bile kullanılabilir. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. Bu alandaki işlemler, ait oldukları korumalı alanı belirten özel bir işlem belirteci ile çalışacaktır. - + Failed to create new box: %1 Yeni alan oluşturulamadı: %1 @@ -6739,90 +6794,123 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for Dosyaları Sıkıştırma - + Compression Sıkıştırma Düzeyi - + When selected you will be prompted for a password after clicking OK Seçildiğinde, Tamam'ı tıkladıktan sonra bir parola girmeniz istenecektir - + Encrypt archive content Arşiv içeriğini şifrele - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. Katı arşivleme, birden fazla dosyayı tek bir sürekli veri bloğu olarak sıkıştırarak sıkıştırma oranını artırır. Çok sayıda küçük dosya için uygundur; arşivi daha yoğun hale getirir ancak tek tek dosyaların çıkarılması için gereken süreyi arttırabilir. - + Create Solide Archive Katı Arşiv Oluştur - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - Korumalı alanı 7-Zip arşivine aktarmadan önce sıkıştırma düzeyini seçebilir ve ek sıkıştırma ayarlarını özelleştirebilirsiniz. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Korumalı alanı bir arşive aktarmadan önce sıkıştırma düzeyini seçebilir ve ek sıkıştırma ayarlarını özelleştirebilirsiniz. + + + + ExtractDialog + + + Extract Files + Dosyaları Çıkar + + + + Import Sandbox from an archive + Korumalı alanı bir arşivden içe aktarın + + + + Import Sandbox Name + Aktarılacak Korumalı Alan Adı + + + + Box Root Folder + Alan Kök Klasörü + + + + ... + ... + + + + Import without encryption + Şifreleme olmadan içe aktar OptionsWindow - - - - - - - - - - - - - + + + + + + + + + + + + + Name Ad - - - + + + Path Yol - + Save Kaydet - - - - - - - + + + + + + + Type Tür - + Allow only selected programs to start in this sandbox. * Bu korumalı alanda yalnızca seçilen programların başlamasına izin ver. * - + Force Folder Klasörü Zorla - + Add IPC Path IPC Yolu Ekle @@ -6832,47 +6920,47 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for Başlıktaki korumalı alan göstergesi: - + Debug Hata Ayıklama - + Users Kullanıcılar - + Block network files and folders, unless specifically opened. Özel olarak açılmadıkça ağ dosyalarını ve klasörlerini engelle - + Command Line Komut Satırı - + Don't alter window class names created by sandboxed programs Korumalı alandaki programlar tarafından oluşturulan pencere sınıfı adları değiştirilmesin - + Log Debug Output to the Trace Log Hata Ayıklama Çıktısını İzleme Günlüğüne Kaydet - + Add Wnd Class Wnd Sınıfı Ekle - + Access Tracing Erişim İzleme - + File Options Dosya Seçenekleri @@ -6882,127 +6970,127 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for Genel Seçenekler - + kilobytes kilobayt - + Allow all programs to start in this sandbox. Tüm programların bu alanda başlamasına izin ver. - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Dosyalar oluşturulur oluşturulmaz kurtarabilmek için Anında Kurtarma istemini etkinleştir. - - - - - - + + + + + + Access Erişim - + These options are intended for debugging compatibility issues, please do not use them in production use. Bu seçenekler uyumluluk sorunlarındaki hataları ayıklamaya yönelik tasarlanmıştır, lütfen bu ayarları üretim amaçlı kullanmayın. - + Templates Şablonlar - + Text Filter Metin Filtresi - + Cancel İptal - + Restrict Resource Access monitor to administrators only Kaynak Erişimi İzleyicisini yalnızca yöneticilerle kısıtla - - - - - - - + + + + + + + Protect the sandbox integrity itself Korumalı alan bütünlüğünün kendisini koruyun - + Add Folder Klasör Ekle - + Prompt user whether to allow an exemption from the blockade. Ağ engellemesinden muafiyete izin verilip verilmeyeceğini sor. - + IPC Trace IPC İzleme - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Kaldır - + Add File/Folder Dosya/Klasör Ekle - + Issue message 1307 when a program is denied internet access Bir programın internet erişimi reddedildiğinde 1307 mesajını yayınla - - + + Compatibility Uyumluluk - + Note: Programs installed to this sandbox won't be able to access the internet at all. Not: Bu alana yüklenen programlar internete hiçbir şekilde erişemez. @@ -7012,105 +7100,106 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for Alan Seçenekleri - + Don't allow sandboxed processes to see processes running in other boxes Korumalı alandaki işlemlerin diğer alanlarda çalışan işlemleri görmesine izin verilmesin - + Add Group Grup Ekle - + Sandboxed window border: Korumalı alana sahip pencere kenarlığı: - + Prevent selected programs from starting in this sandbox. Seçili programların bu alanda başlamasını önle. - + Miscellaneous Çeşitli - + Issue message 2102 when a file is too large Dosya çok büyükse 2102 mesajını yayınla - + File Recovery Dosya Kurtarma - + Box Delete options Alan Silme Seçenekleri - + Pipe Trace Boru İzleme - + File Trace Dosya İzleme - - - - - - - - - - + + + + + + + + + + Program Program - + Add Process İşlem Ekle - - - - - + + + + + Add Program Program Ekle - + Filter Categories Kategorileri Filtrele - + Copy file size limit: Dosya boyutu kopyalama sınırı: - + Open System Protected Storage Sistem Korumalı Depolamayı aç - - - - - - + + + + + + + Protect the system from sandboxed processes Sistemi korumalı alandaki işlemlerden koru @@ -7120,27 +7209,27 @@ If you are a Great Supporter on Patreon already, Sandboxie can check online for SandboxiePlus Ayarları - + Category Kategori - + Drop rights from Administrators and Power Users groups Yöneticiler ve Yetkili Kullanıcılar grupları haklarını bırak - + Add Reg Key Kayıt Anahtarı Ekle - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Hızlı Kurtarma işlevi çağrıldığında, aşağıdaki klasörler korumalı alan içeriği için denetlenecektir. - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -7159,115 +7248,115 @@ günlüğe kaydetme özelleştirilebilir. "I" - Yok sayılan erişim(ler). - + px Width px Genişliği - + Add User Kullanıcı Ekle - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Buraya girilen programlar veya konumlardan başlatılan programlar, özellikle başka bir korumalı alanda başlatılmadıkça, otomatik olarak bu alana yerleştirilecektir. - + Force Program Program Zorla - + WARNING, these options can disable core security guarantees and break sandbox security!!! UYARI, bu seçenekler temel güvenlik garantilerini devre dışı bırakabilir ve korumalı alan güvenliğini bozabilir! - + Edit ini Ini Düzenle - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Şablonları Göster - + Ignore Folder Klasörü Yok Say - + GUI Trace GKA İzleme - + Key Trace Tuş İzleme - + Tracing İzleme - + Appearance Görünüm - + Add sandboxed processes to job objects (recommended) Korumalı alan işlemlerini iş nesnelerine ekle (Önerilir) - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Klasörleri ve dosya türlerini (veya dosya uzantılarını) Anında Kurtarma'nın dışında bırakabilirsiniz. - + Run Menu Çalıştır Menüsü - + App Templates Uygulama Şablonları - + Ignore Extension Uzantıyı Yok Say - + Protect this sandbox from deletion or emptying Bu korumalı alanı silinmeye veya boşaltılmaya karşı koru - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -7276,223 +7365,228 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Not: Bir korumalı alana ilişkin Zorunlu Programlar ve Zorunlu Klasörler ayarları, korumalı alanı kullanamayan kullanıcı hesapları için geçerli değildir. - + * Note: Programs installed to this sandbox won't be able to start at all. * Not: Bu korumalı alana yüklenen programlar hiçbir şekilde başlatılamaz. - + This list contains a large amount of sandbox compatibility enhancing templates Bu liste, korumalı alan uyumluluğunu geliştiren çok sayıda şablonlar içerir - + Program Groups Program Grupları - + Issue message 1308 when a program fails to start Bir program başlatılamadığında 1308 mesajını yayınla - + Resource Access Kaynak Erişimi - + Advanced Options Gelişmiş Seçenekler - + Hide host processes from processes running in the sandbox. Korumalı alanda çalışan işlemlerden ana sistem işlemlerini gizler. - - + + File Migration Dosya Taşıma - + Auto delete content changes when last sandboxed process terminates Korumalı alandaki son işlem sonlandırıldığında içeriği otomatik olarak sil - + Add COM Object COM Nesnesi Ekle - + You can configure custom entries for the sandbox run menu. Korumalı alanın çalıştırma menüsünde görünecek özel girişleri yapılandırabilirsiniz. - + Start Restrictions Başlatma Kısıtlamaları - + Force usage of custom dummy Manifest files (legacy behaviour) Özel sahte Manifest dosyalarının kullanımını zorla (Eski davranış) - + Edit ini Section Ini Düzenleme Bölümü - + COM Class Trace COM Sınıf İzleme - + Block access to the printer spooler Yazıcı biriktiricisine erişimi engelle - + Allow the print spooler to print to files outside the sandbox Yazdırma biriktiricisinin korumalı alanın dışındaki dosyalara yazdırmasına izin ver - + Remove spooler restriction, printers can be installed outside the sandbox Biriktirici kısıtlamasını kaldır, yazıcılar korumalı alanın dışına kurulabilir - + Add program Program Ekle - + Do not start sandboxed services using a system token (recommended) Korumalı alandaki hizmetleri bir sistem belirteci kullanarak başlatılmasın (Önerilir) - + Elevation restrictions Yetkilendirme Kısıtlamaları - + Make applications think they are running elevated (allows to run installers safely) Uygulamaların yetkilendirilmiş çalıştıklarını düşünmelerini sağla (Yükleyicileri güvenli bir şekilde çalıştırmanıza izin verir) - + Network restrictions Ağ Kısıtlamaları - + (Recommended) (Önerilen) - + Double click action: Çift tıklama eylemi: - + Separate user folders Ayrı kullanıcı klasörleri - + Allow elevated sandboxed applications to read the harddrive Yetkilendirilmiş korumalı alan uygulamalarının sabit sürücüyü okumasına izin ver - + Warn when an application opens a harddrive handle Bir uygulama sabit sürücü tanıtıcısı açtığında uyar - + Box Structure Alan Yapısı - + Restrictions Kısıtlamalar - + Security Options Güvenlik Seçenekleri - + Security Hardening Güvenlik Sıkılaştırması - + Other restrictions Diğer Kısıtlamalar - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD Sürücüler için birim seri numaralarını kullan, örneğin: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty Alan yapısı yalnızca korumalı alan boşken değiştirilebilir - + Disk/File access Sürücü/Dosya Erişimi - + Encrypt sandbox content Korumalı alan içeriğini şifrele - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. <a href="sbie://docs/boxencryption">Alan Şifreleme</a> etkinleştirildiğinde, kayıt defteri kovanı da dahil olmak üzere alanın kök klasörü, <a href="https://diskcryptor.org">Disk Cryptor'un</a> AES-XTS uygulaması kullanılarak şifrelenmiş bir disk görüntüsünde depolanır. - + Partially checked means prevent box removal but not content deletion. Kısmen işaretli kutu, korumalı alanın kaldırılmasını önler ancak içeriğin silinmesini engellemez anlamına gelir. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. Bellek Diski ve Disk Görüntüsü desteğini etkinleştirmek için <a href="addon://ImDisk">ImDisk</a> sürücüsünü yükleyin. - + Store the sandbox content in a Ram Disk Korumalı alan içeriğini bir Bellek Diskinde sakla - + Set Password Parola Ayarla - + Virtualization scheme Sanallaştırma şeması - + + Allow sandboxed processes to open files protected by EFS + Korumalı alan işlemlerinin EFS tarafından korunan dosyaları açmasına izin ver + + + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -7501,185 +7595,201 @@ Not: Bir korumalı alana ilişkin Zorunlu Programlar ve Zorunlu Klasörler ayarl 2115: Dosya taşınamadı, dosya salt okunur olarak açılacak - + Issue message 2113/2114/2115 when a file is not fully migrated Bir dosya tam olarak taşınamadığında 2113/2114/2115 mesajını yayınla - + Add Pattern Desen Ekle - + Remove Pattern Deseni Kaldır - + Pattern Desen - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie, kullanıcı izin vermediği sürece ana sistemdeki dosyalara yazmaya izin vermez. Korumalı alandaki bir uygulama bir dosyayı değiştirmeye çalıştığında, tüm dosyanın korumalı alana kopyalanması gerekir, büyük dosyalar için bu işlem çok uzun sürebilir. Sandboxie, bu tür durumlar için bu sayfada yapılandırılabilen seçenekler sunar. - + Using wildcard patterns file specific behavior can be configured in the list below: Özel karakter desenleri kullanılarak dosyaya özgü davranış aşağıdaki listeden yapılandırılabilir: - + When a file cannot be migrated, open it in read-only mode instead Bir dosya taşınamadığı zaman salt okunur modda açılsın - + Printing restrictions Yazdırma Kısıtlamaları - + Prevent sandboxed processes from interfering with power operations (Experimental) Korumalı alandaki işlemlerin güç operasyonlarına müdahale etmesini önle (Deneysel) - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Fare imlecini hareket ettirme, bir pencereyi öne getirme ve benzeri işlemleri engelleyebilirsiniz fakat bu ayar oyunlarda sorunlara neden olabilir. - + Prevent interference with the user interface (Experimental) Kullanıcı arayüzüne müdahaleyi önle (Deneysel) - + This feature does not block all means of obtaining a screen capture, only some common ones. Bu özellik, ekran görüntüsü almanın tüm yollarını engellemez, yalnızca bazı yaygın olanları engeller. - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) Korumalı alan işlemlerinin pencere görüntüsü yakalamasını önle (Deneysel, arayüz hatalarına neden olabilir) - - + + Open access to Proxy Configurations + Ara Sunucu Yapılandırmalarına erişimi aç + + + + Move Up Yukarı Taşı - - + + Move Down Aşağı Taşı - + + File ACLs + Dosya ACL'leri + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + Alan dosyaları ve klasörleri için asıl Erişim Kontrol Girişlerini kullan (MSIServer etkinleştirme muafiyetleri için) + + + Security Isolation Güvenlik Yalıtımı - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. Çeşitli yalıtım özellikleri, bazı uygulamalarla uyumluluğu bozabilir. Bu korumalı alanı <b>Güvenlik için DEĞİL</b> ancak uygulama taşınabilirliği için kullanıyorsanız, bu seçenekleri değiştirip biraz da güvenlikten ödün vererek uyumluluğu arttırabilirsiniz. - + Disable Security Isolation Güvenlik Yalıtımını Devre Dışı Bırak - + Access Isolation Erişim Yalıtımı - - + + Box Protection Alan Koruması - + Protect processes within this box from host processes - Bu alandaki işlemleri ana sistemdeki işlemlerinden koru + Bu alandaki işlemleri ana sistemdeki işlemlerden koru - + Allow Process İşleme İzin Ver - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root Ana sistemdeki bir işlem, korumalı alanda çalışan bir işleme/alan köküne erişmeye çalıştığında 1318/1317 mesajı yayınla - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus, yetkisiz gözetime veya ana sistem işlemleri tarafından yapılabilecek müdahalelere karşı sağlam koruma sağlayan gizli korumalı alanlar oluşturabilir. Bu özellik şifrelenmiş bir korumalı alan görüntüsü kullanarak en yüksek düzeyde operasyonel gizlilik sunar ve korumalı alanda çalışan tüm işlemlerin güvenliğini ve bütünlüğünü sağlar. - + Deny Process İşlemi Reddet - + Use a Sandboxie login instead of an anonymous token Anonim kullanıcı yerine Sandboxie oturum açma belirteci kullan - + Configure which processes can access Desktop objects like Windows and alike. Hangi işlemlerin pencereler ve benzeri masaüstü nesnelerine erişebileceğini yapılandırın. - + Bypass IPs IP'leri Atla - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. Genel kısayol tuşuna art arda 3 kez basıldığında bu istisna göz ardı edilecektir. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. "Tüm İşlemleri Sonlandır" çalıştırıldığında bu korumalı alanı sonlandırılma dışında tut. - + Image Protection Görüntü Koruması - + Issue message 1305 when a program tries to load a sandboxed dll Bir program korumalı alandan bir DLL dosyası yüklemeye çalıştığında 1305 mesajını yayınla - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Sistemde yüklü korumalı alanda çalışan işlemlerin alan içinden DLL yüklemesini önle - + Dlls && Extensions DLL'ler && Uzantılar - + Description Açıklama - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie'nin kaynak erişim kuralları, genellikle korumalı alan içinde bulunan program ikili dosyalarına göre ayrım yapar. OpenFilePath ve OpenKeyPath yalnızca ana sistemde yerel olarak bulunan uygulama ikili dosyaları için çalışır. @@ -7687,582 +7797,577 @@ Bu kısıtlama olmaksızın bir kural tanımlamak için OpenPipePath veya OpenCo Bu, korumalı alan içindeki haydut işlemlerin kendilerinin yeniden adlandırılmış bir kopyasını oluşturmasını ve korunan kaynaklara erişmesini önlemek için yapılır. Başka bir istismar vektörü de bir kütüphanenin yetkili bir işleme yerleşerek ona izin verilen her şeye erişim hakkı elde etmesidir. Ana Sistem Görüntü Koruması kullanılarak, bir korumalı alanda çalışan uygulamaların (ana sistemde yüklü) korumalı alanda bulunan kütüphaneleri yüklemesi engellenerek bu durum önlenebilir. - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxie'nin işlevselliği, korumalı alanda herhangi bir işlem başlatıldığında SbieDll.dll tarafından ona yüklenebilen, isteğe bağlı DLL'ler kullanılarak genişletilebilir. Genel ayarlardaki Eklenti Yöneticisinde bazı yararlı uzantılar sunulmaktadır. Bunlar kurulduktan sonra geçerli korumalı alan için buradan etkinleştirilebilirler. - + Advanced Security Gelişmiş Güvenlik - + Other isolation Diğer Yalıtım - + Privilege isolation Ayrıcalık Yalıtımı - + Sandboxie token Sandboxie Belirteci - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Özel bir Sandboxie belirteci kullanmak, birbirinden ayrı korumalı alanların daha iyi yalıtılmasını sağlar ve görev yöneticilerinin kullanıcı sütununda bir işlemin hangi alana ait olduğu gösterir. Ancak bazı 3. parti güvenlik çözümleri özel belirteçlerle sorun yaşayabilir. - + Program Control Program Denetimi - + Force Programs Zorunlu Programlar - + Disable forced Process and Folder for this sandbox Bu korumalı alan için İşlem ve Klasör zorlamayı devre dışı bırak - + Breakout Programs Çıkabilen Programlar - + Breakout Program Çıkabilen Program - + Breakout Folder Çıkabilen Klasör - + Force protection on mount Bağlandığında korumayı zorla - + Prevent processes from capturing window images from sandboxed windows Korumalı alandaki pencerelerin görüntüsünün alınmasını önle - + Allow useful Windows processes access to protected processes Yararlı Windows işlemlerinin korumalı işlemlere erişmesine izin ver - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Buraya girilen programlar başlatıldıklarında bu korumalı alanın dışına çıkabilecektir. Bunları başka bir korumalı alana da aktarmak mümkündür. Örneğin web tarayıcınızın her zaman kendine adanmış bir alanda çalışması gibi. - + Lingering Programs Oyalayıcı Programlar - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Oyalayıcı programlar, diğer tüm işlemler sonlandırıldıktan sonra çalışmaya devam ediyorsa otomatik olarak sonlandırılır. - + Leader Programs Lider Programlar - + If leader processes are defined, all others are treated as lingering processes. Eğer lider işlemler tanımlanırsa, diğer tüm işlemlere oyalayıcı olarak davranılır. - + Stop Options Durma Seçenekleri - - + + Stop Behaviour Durma Davranışı - + Allow sandboxed windows to cover the taskbar Korumalı alan pencerelerinin görev çubuğunu kaplamasına izin ver - + Isolation Yalıtım - + Only Administrator user accounts can make changes to this sandbox Bu korumalı alanda yalnızca Yönetici yetkisine sahip kullanıcı hesapları değişiklik yapabilsin - + Job Object İş Nesnesi - - - + + + unlimited sınırsız - - + + bytes bayt - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. İşaretli: Yeni oluşturulan korumalı alan belirtecine yerel bir grup da eklenir, bu da tüm korumalı aların aynı anda adreslenmesine olanak tanır. Denetim ilkeleri için kullanılabilir. Kısmen işaretli: Yeni oluşturulan korumalı alan belirtecine hiçbir grup eklenmez. - + Drop ConHost.exe Process Integrity Level - + ConHost.exe İşlem Bütünlüğü Düzeyini Bırak - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>GÜVENLİK TAVSİYESİ</font>:</b> <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> ve/veya <a href="sbie://docs/breakoutprocess">BreakoutProcess</a>'in Open[File/Pipe]Path yönergeleriyle birlikte kullanımı sistem güvenliğini tehlikeye atabilir. Lütfen bunları kullanmadan önce her seçeneğin belgesindeki güvenlik bölümünü inceleyin. - - - + Use Linger Leniency Oyalanma yumuşatmayı kullan - + Don't stop lingering processes with windows Pencereli işlemler sonlandırılmasın - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. Bu ayar, kullanıcının bilgisi dışında programların korumalı alanda çalışmasını önlemek için kullanılabilir. - + Display a pop-up warning before starting a process in the sandbox from an external source Harici bir kaynak tarafından korumalı alanda bir işlem başlatılmadan önce uyarı görüntüle - + Files Dosyalar - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Hangi işlemlerin Dosyalara, Klasörlere ve Borulara erişebileceğini yapılandırın. -'Açık' erişimi yalnızca korumalı alanın dışında bulunan program dosyaları için geçerlidir, bunun yerine tüm programlara uygulanmasını sağlamak için 'Hepsine Açık' kullanabilir veya bu davranışı İlkeler sekmesinden değiştirebilirsiniz. +'Açık' erişimi yalnızca korumalı alanın dışında bulunan program dosyaları için geçerlidir, bunun tüm programlara uygulanmasını sağlamak için 'Hepsine Açık' erişimi kullanabilir veya bu davranışı İlkeler sekmesinden değiştirebilirsiniz. - + Registry Kayıt - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Hangi işlemlerin Kayıt Defterine erişebileceğini yapılandırın. 'Açık' erişimi yalnızca korumalı alanın dışında bulunan program dosyaları için geçerlidir, bunun yerine tüm programlara uygulanmasını sağlamak için 'Hepsine Açık' kullanabilir veya bu davranışı İlkeler sekmesinden değiştirebilirsiniz. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Hangi işlemlerin ALPC bağlantı noktaları ve diğer işlemlerin belleği ve bağlamı gibi NT IPC nesnelerine erişebileceğini yapılandırın. Bir işlemi belirtmek için yol olarak '$:program.exe' kullanın. - + Wnd Wnd - + Wnd Class Wnd Sınıfı - + COM COM - + Class Id Sınıf Id - + Configure which processes can access COM objects. Hangi işlemlerin COM nesnelerine erişebileceğini yapılandırın. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) - Sanallaştırılmış COM kullanılmasın, ana sistem COM altyapısına açık erişim sağlar (Önerilmez) + Sanallaştırılmış COM kullanılmasın, ana sistem COM altyapısına açık erişime izin ver (Önerilmez) - + Access Policies Erişim İlkeleri - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Close...=!<program>,... kurallarını korumalı alanda bulunan tüm ikili dosyalara da uygula. - + Network Options Ağ Seçenekleri - + DNS Filter DNS Filtresi - + Add Filter Filtre Ekle - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. Alan adları DNS filtresiyle işlem bazında engellenebilir. Engellemek için IP sütununu boş bırakın veya yeniden yönlendirmek için bir IP girin. - + Domain Alan Adı - + Internet Proxy Ara Sunucu - + Add Proxy Ara Sunucu Ekle - + Test Proxy Sunucuyu Test Et - + Auth Kimlik - + Login Giriş - + Password Parola - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. Korumalı alanda çalışan programlar, önceden ayarlanmış bir SOCKS5 ara sunucusunu kullanmaya zorlanabilir. - + Resolve hostnames via proxy Alan adlarını sunucuda çözümle - + Other Options Diğer Seçenekler - + Port Blocking Bağlantı Noktası Engelleme - + Block common SAMBA ports Yaygın SAMBA bağlantı noktalarını engelle - + Block DNS, UDP port 53 DNS, UDP bağlantı noktası 53'ü engelle - + Quick Recovery Hızlı Kurtarma - + Immediate Recovery Anında Kurtarma - + Various Options Çeşitli Seçenekler - + Apply ElevateCreateProcess Workaround (legacy behaviour) ElevateCreateProcess geçici çözümünü uygula (Eski davranış) - + Use desktop object workaround for all processes Masaüstü nesnesi geçici çözümünü tüm işlemler için kullan - + Limit restrictions Kısıtlama Sınırları - - - + + + Leave it blank to disable the setting Ayarı devre dışı bırakmak için boş bırakın - + Total Processes Number Limit: Toplam İşlem Sayısı Sınırı: - + Total Processes Memory Limit: Toplam İşlem Bellek Sınırı: - + Single Process Memory Limit: Tek İşlem Bellek Sınırı: - + On Box Terminate Alan Sonlandığında - + This command will be run before the box content will be deleted Bu komut, alan içeriği silinmeden önce çalıştırılacaktır - + On File Recovery Dosya Kurtarmada - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked Bu komut, bir dosya kurtarılmadan önce çalıştırılacak ve dosya yolu ilk bağımsız değişken olarak aktarılacaktır. Bu komut 0'dan başka bir değer döndürürse, kurtarma işlemi engellenecektir - + Run File Checker Dosya Denetleyicisini Gir - + On Delete Content İçerik Silmede - + Protect processes in this box from being accessed by specified unsandboxed host processes. Bu alandaki işlemlere korumalı alan dışındaki ana sistem işlemleri tarafından erişilmesini engeller. - - + + Process İşlem - + Add Option Seçenek Ekle - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. - Burada, uyumluluğu artırmak veya korumalı alan davranışını özelleştirmek için işlem başına gelişmiş seçenekleri yapılandırabilirsiniz. + Uyumluluğu artırmak veya korumalı alan davranışını özelleştirmek için işlem başına gelişmiş seçenekleri buradan yapılandırabilirsiniz. - + Option Seçenek - + These commands are run UNBOXED after all processes in the sandbox have finished. Bu komutlar korumalı alandaki tüm işlemler sonlandıktan sonra ALAN DIŞINDAN çalıştırılır. - + Privacy Gizlilik - + Hide Firmware Information Ürün Yazılımı Bilgisini Gizle - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Bazı programlar, geleneksel yöntemleri kullanmak yerine, yerleşik bir Windows veritabanı olan WMI (Windows Yönetim Araçları) aracılığıyla sistem ayrıntılarına erişebilir. Örneğin, "tasklist.exe", "HideOtherBoxes" etkin olsa bile işlemlerin tam listesine erişebilir. Bu tür davranışları önlemek için bu seçeneği etkinleştirin. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Korumalı alandaki işlemlerin WMI aracılığıyla sistem ayrıntılarına erişmesini önle (daha fazla bilgi için ipucuna bakın) - + Process Hiding İşlem Gizleme - + Use a custom Locale/LangID Özel bir Yerel/Dil Kimliği Kullan - + Data Protection Veri Koruması - + Dump the current Firmware Tables to HKCU\System\SbieCustom Mevcut Ürün Yazılımı Tablolarını HKCU\System\SbieCustom anahtarına döker - + Dump FW Tables ÜY Tablolarını Dök - + API call Trace (traces all SBIE hooks) API çağrısı İzleme (tüm SBIE kancalarını izler) - + Log all SetError's to Trace log (creates a lot of output) Tüm SetError Mesajlarını İzleme Günlüğüne Kaydet (Çok fazla çıktı oluşturur) - + Prompt user for large file migration Büyük dosya taşınması için kullanıcıya sor - + Block read access to the clipboard Panoya okuma erişimini engelle - + Restart force process before they begin to execute - Yürütülmeye başlamadan önce zorunlu işlemleri yeniden başlat + Zorunlu işlemleri yürütülmeden önce yeniden başlat - + Emulate sandboxed window station for all processes Tüm işlemler için korumalı alan pencere istasyonunu taklit et - + Hide Disk Serial Number Disk Seri Numarasını Gizle - + Obfuscate known unique identifiers in the registry Kayıt defterindeki bilinen benzersiz tanımlayıcıları karıştır - + Don't allow sandboxed processes to see processes running outside any boxes Korumalı alandaki işlemlerin alan dışında çalışan işlemleri görmesine izin verilmesin - + Hide Network Adapter MAC Address - + Ağ Bağdaştırıcısı MAC Adresini Gizle - + DNS Request Logging DNS İstek Günlüğü - + Syscall Trace (creates a lot of output) Syscall İzleme (Çok fazla çıktı oluşturur) - + Add Template Şablon Ekle - + Open Template Şablonu Aç - + Template Folders Şablon Klasörleri - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8271,301 +8376,312 @@ Please note that this values are currently user specific and saved globally for Lütfen bu değerlerin kullanıcıya özel olduğunu ve tüm alanlar için global olarak kaydedildiğini unutmayın. - - + + Value Değer - + Accessibility Erişilebilirlik - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Kaybedilen korumayı telafi etmek için lütfen Güvenlik Seçenekleri > Güvenlik Sıkılaştırması altındaki Yetkilendirme Kısıtlamaları bölümü Hak Bırakma ayarlarına bakın. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Ekran Okuyucuları: JAWS, NVDA, Window-Eyes, System Access - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Aşağıdaki ayarlar, Sandboxie'nin erişilebilirlik yazılımıyla birlikte kullanılmasını sağlar. Lütfen bu ayarlar etkin olduğunda Sandboxie korumasının bir kısmının ister istemez kaybedildiğini unutmayın. - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. DİKKAT: Yerleşik yönetici altında çalışırken, işlemler yönetici ayrıcalıklarını bırakamaz. - + Open access to Windows Security Account Manager - Windows Güvenlik Hesap Yöneticisine açık erişim + Windows Güvenlik Hesap Yöneticisine erişimi aç - + Disable Resource Access Monitor Kaynak Erişim İzleyicisini Devre Dışı Bırak - + Resource Access Monitor Kaynak Erişim İzleyicisi - + Show this box in the 'run in box' selection prompt Bu alanı 'alanda çalıştır' seçim isteminde göster - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Güvenlik notu: Sandboxie'nin gözetimi altında, bir yönetici veya sistem belirteci ile çalışan yetkilendirilmiş uygulamalar, yalıtımı atlamak ve sistemi korumalı alanın dışında değiştirmek için daha fazla fırsata sahiptir. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required MSIServer'ın korumalı alan sistem belirteci ile çalışmasına ve gerekirse diğer istisnaları uygulamasına izin ver - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Not: Msi Yükleyici İstisnaları gerekli olmamalıdır, ancak güvendiğiniz bir msi paketini kurarken sorunlarla karşılaşırsanız, bu seçenek kurulumun başarıyla tamamlanmasına yardımcı olabilir. Yönetici haklarını bırakmayı devre dışı hale getirmeyi de deneyebilirsiniz. - + Security enhancements Güvenlik Geliştirmeleri - + Use the original token only for approved NT system calls Asıl belirteci yalnızca onaylı NT sistem çağrıları için kullan - + Restrict driver/device access to only approved ones Sürücü/cihaz erişimini yalnızca onaylanmış olanlarla kısıtla - + Enable all security enhancements (make security hardened box) Tüm güvenlik geliştirmelerini etkinleştir (Güvenliği güçlendirilmiş alan yapar) - + Create a new sandboxed token instead of stripping down the original token Asıl belirteci soymak yerine yeni bir korumalı alan belirteci oluştur - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Programları birlikte gruplayabilir ve onlara bir grup adı verebilirsiniz. Program grupları, program adları yerine bazı ayarlarla kullanılabilir. Alan için tanımlanan gruplar, şablonlarda tanımlanan grupların üzerine yazılır. - + Force Children Altları Zorla - + + Breakout Document + Çıkabilen Belge + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>GÜVENLİK TAVSİYESİ</font>:</b> <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> ve/veya <a href="sbie://docs/breakoutprocess">BreakoutProcess</a>'in Open[File/Pipe]Path yönergeleriyle birlikte kullanımı sistem güvenliğini tehlikeye atabilir. Herhangi bir * veya güvenli olmayan (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;vb…) uzantıya izin veren <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> kullanımı da buna örnektir. Lütfen bunları kullanmadan önce her seçeneğin belgesindeki güvenlik bölümünü inceleyin. + + + Process Restrictions İşlem Kısıtlamaları - + Set network/internet access for unlisted processes: Listelenmemiş işlemler için ağ/internet erişimini ayarla: - + Test Rules, Program: Kuralları test et, Program: - + Port: Bağlantı Noktası: - + IP: IP: - + Protocol: Protokol: - + X X - + Add Rule Kural Ekle - - - - + + + + Action Eylem - - + + Port Bağlantı Noktası - - - + + + IP IP - + Protocol Protokol - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. DİKKAT: Windows Filtreleme Platformu sürücü ile etkinleştirilmemiştir, bu nedenle bu kurallar yalnızca kullanıcı modunda uygulanacaktır ve zorlanmaz! Bu, kötü amaçlı uygulamaların bunları atlayabileceği anlamına gelir. - + Allow sandboxed programs to manage Hardware/Devices - Korumalı alan programlarının Donanım/Aygıtları yönetmesine izin ver + Korumalı alan programlarının Donanımları/Aygıtları yönetmesine izin ver - + Open access to Windows Local Security Authority - Windows Yerel Güvenlik Yetkilisine açık erişim + Windows Yerel Güvenlik Yetkilisine erişimi aç - - + + Network Firewall Ağ Güvenlik Duvarı - + General Configuration Genel Yapılandırma - + Box Type Preset: Alan türü ön ayarı: - + Box info Alan bilgisi - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Daha Fazla Alan Türü</b> yalnızca <u>proje destekçileri</u> tarafından kullanılabilir, Gelişmiş Gizlilik alanları <b><font color='red'>kullanıcı verilerini korumalı alandaki programların yetkisiz erişimine karşı korur.</font></b><br />Henüz destekçi değilseniz, lütfen <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">projeyi desteklemeyi</a> düşünün. <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">destekçi sertifikası</a>.<br />Diğer alan türlerini, bu türlerden yeni korumalı alanlar oluşturarak test edebilirsiniz, ancak bu alanlardaki işlemler 5 dakika sonra otomatik olarak sonlandırılacaktır. - + Open Windows Credentials Store (user mode) Windows Kimlik Bilgileri Deposunu aç (Kullanıcı modu) - + Prevent change to network and firewall parameters (user mode) Ağ ve güvenlik duvarı parametrelerinde değişikliği engelle (Kullanıcı modu) - + Prioritize rules based on their Specificity and Process Match Level Özgüllüklerine ve İşlem Eşleştirme Düzeylerine göre kurallara öncelik ver - + Privacy Mode, block file and registry access to all locations except the generic system ones Gizlilik Modu, genel sistem konumları dışındaki tüm konumlara yapılan dosya ve kayıt defteri erişimini engeller - + Access Mode Erişim Modu - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Gizlilik Modu etkinleştirildiğinde, korumalı alan işlemleri yalnızca C:\Windows\*, C:\Program Files\* ve HKLM kayıt defterinin bölümlerini okuyabilir, diğer tüm konumların okunabilir ve/veya yazılabilir olması için açık erişime ihtiyacı olacaktır. Bu modda, Kural Özgüllüğü her zaman etkindir. - + Rule Policies Kural İlkeleri - + Apply File and Key Open directives only to binaries located outside the sandbox. Dosya ve Anahtar Açma yönergelerini yalnızca korumalı alanın dışında bulunan ikili dosyalara uygula. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Korumalı alanlı RpcS'leri bir SİSTEM işlemi olarak başlat (Önerilmez) - + Allow only privileged processes to access the Service Control Manager Yalnızca ayrıcalıklı işlemlerin Hizmet Kontrol Yöneticisine erişmesine izin ver - + Drop critical privileges from processes running with a SYSTEM token Bir SİSTEM belirteci ile çalışan işlemlerden kritik ayrıcalıkları düşür - - + + (Security Critical) (Güvenlik Açısından Kritik) - + Protect sandboxed SYSTEM processes from unprivileged processes Korumalı SİSTEM işlemlerini ayrıcalıksız işlemlerden koru - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Güvenlik Yalıtımı, Sandboxie'nin çok kısıtlı işlem belirteci kullanımı yoluyla korumalı alan kısıtlamalarını uygulamasının birincil yoludur. Bu devre dışı bırakılırsa, alan, uygulama bölmesi modunda çalıştırılır, yani artık sağlıklı bir güvenlik sağlayamaz ve yalnızca basit uygulama bölümlemesi sağlar. - + Security Isolation & Filtering Güvenlik Yalıtımı & Filtreleme - + Disable Security Filtering (not recommended) Güvenlik Filtrelemeyi devre dışı bırak (Önerilmez) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Güvenlik Filtreme, Sandboxie tarafından dosya sistemi ve kayıt defteri erişim kısıtlamalarını yürütmek ve aynı zamanda işlem erişimini kısıtlamak için kullanılır. - + The below options can be used safely when you don't grant admin rights. Yönetici hakları verilmediğinde aşağıdaki seçenekler güvenle kullanılabilir. @@ -8575,83 +8691,83 @@ Lütfen bu değerlerin kullanıcıya özel olduğunu ve tüm alanlar için globa Bu korumalı alanı her zaman sistem tepsisi listesinde göster (Sabitlenmiş) - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. Kural özgüllüğü, belirli bir kuralın belirli bir yolla ne kadar iyi eşleştiğinin bir ölçüsüdür. Basitçe söylemek gerekirse, özgüllük son eşleşen özel karakter olmayan alt dize dahil yolun başından sonuna kadar olan karakterlerin uzunluğudur. Yalnızca "*.tmp" gibi dosya türleriyle eşleşen bir kural, her zaman tüm dosya yolu ile eşleşeceği için en yüksek özgüllüğe sahip olacaktır. İşlem eşleştirme düzeyi, özgüllükten daha yüksek bir önceliğe sahiptir ve bir kuralın belirli bir işleme nasıl uygulanacağını tanımlar. İşlem adına veya grubuna göre uygulanan kurallar en güçlü eşleştirme düzeyine sahiptir. Ardından olumsuzlama ile eşleştirme gelir, yani belirtilen işlem dışındaki tüm işlemlere uygulanan kurallara aittir; en düşük eşleştirme düzeyleri ise genel eşleştirmelere, yani herhangi bir işleme uygulanan kurallara aittir. - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) - Varsayılan olarak RpcMgmtSetComTimeout kullanımını devre dışı bırak (Uyumluluk sorunlarını çözebilir) + RpcMgmtSetComTimeout kullanımını varsayılan olarak devre dışı bırak (Uyumluluk sorunlarını çözebilir) - + Triggers Tetikleyiciler - + Event Olay - - - - + + + + Run Command Komut Gir - + Start Service Hizmeti Gir - + These events are executed each time a box is started Bu olaylar, bir alan her başlatıldığında yürütülür - + On Box Start Alan Başlangıcında - - + + These commands are run UNBOXED just before the box content is deleted Bu komutlar alan içeriği silinmeden hemen önce ALAN DIŞINDAN çalıştırılır - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Bu komutlar yalnızca bir alan ilk kullanıma hazırlandığında yürütülür. Tekrar çalışması için alan içeriğinin silinmesi gerekir. - + On Box Init Alan İlk Kullanımında - + Here you can specify actions to be executed automatically on various box events. - Burada, çeşitli alan olaylarında otomatik olarak yürütülecek eylemleri belirleyebilirsiniz. + Çeşitli alan olaylarında otomatik olarak yürütülecek eylemleri buradan belirleyebilirsiniz. - + Allow to read memory of unsandboxed processes (not recommended) Korumalı alanda olmayan işlemlerin belleğini okumaya izin ver (Önerilmez) - + Issue message 2111 when a process access is denied Bir işlem erişimi reddedildiğinde 2111 mesajını yayınla - + Allow use of nested job objects (works on Windows 8 and later) İç içe iş nesnelerinin kullanımına izin ver (Windows 8 ve sonraki sürümlerde çalışır) @@ -8667,7 +8783,7 @@ The process match level has a higher priority than the specificity and describes ProgramsDelegate - + Group: %1 Grup: %1 @@ -8675,7 +8791,7 @@ The process match level has a higher priority than the specificity and describes QObject - + Drive %1 Sürücü %1 @@ -8683,27 +8799,27 @@ The process match level has a higher priority than the specificity and describes QPlatformTheme - + OK TAMAM - + Apply Uygula - + Cancel İptal - + &Yes &Evet - + &No &Hayır @@ -8711,7 +8827,7 @@ The process match level has a higher priority than the specificity and describes RecoveryWindow - + Close Kapat @@ -8721,27 +8837,27 @@ The process match level has a higher priority than the specificity and describes Klasör Ekle - + Recover Kurtar - + Refresh Yenile - + Delete Sil - + Show All Files Tüm Dosyaları Göster - + TextLabel Metin Etiketi @@ -8812,26 +8928,26 @@ The process match level has a higher priority than the specificity and describes SettingsWindow - - - - - + + + + + Name Ad - + Path Yol - + Change Password Parolayı Değiştir - + Clear password when main window becomes hidden Ana pencere gizlendiğinde parolayı temizle @@ -8841,7 +8957,7 @@ The process match level has a higher priority than the specificity and describes SandboxiePlus Ayarları - + Password must be entered in order to make changes Değişiklik yapmak için parola iste @@ -8851,127 +8967,127 @@ The process match level has a higher priority than the specificity and describes Genel Ayarlar - + Use Dark Theme Koyu temayı kullan - + Enable Etkinleştir - + Add Folder Klasör Ekle - + Only Administrator user accounts can make changes Yalnızca Yönetici hesapları değişiklik yapabilsin - + Config protection Yapılandırma Koruması - + Add Program Program Ekle - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie, sisteminizde aşağıdaki yazılım uygulamalarını belirledi. Bu uygulamalarla uyumluluğu artıracak yapılandırma ayarlarını uygulamak için Tamam'a tıklayın. Bu yapılandırmalar mevcut tüm korumalı alanlarda ve tüm yeni oluşturulacak alanlarda etkili olacaktır. - + Watch Sandboxie.ini for changes Değişiklikler için Sandboxie.ini dosyasını izle - + In the future, don't check software compatibility Gelecekte, yazılım uyumluluğu denetlenmesin - + Disable Devre Dışı Bırak - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Aşağıdaki programlardan herhangi biri korumalı alanın dışında başlatıldığında, Sandboxie SBIE1301 mesajını yayınlayacaktır. - + Remove Program Programı Kaldır - + Add 'Run Sandboxed' to the explorer context menu Dosya gezgini bağlam menüsüne 'Korumalı Alanda Çalıştır' seçeneği ekle - + Issue message 1308 when a program fails to start Bir program başlatılamadığında 1308 mesajını yayınla - + Sandbox default Korumalı Alan Varsayılanları - + Prevent the listed programs from starting on this system Listelenen programların bu sistemde başlamasını önle - + Open urls from this ui sandboxed Bu kullanıcı arayüzündeki bağlantıları korumalı alanda aç - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Korumalı alan <a href="sbie://docs/filerootpath">dosya sistemi kökü</a>: - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Korumalı alan <a href="sbie://docs/ipcrootpath">ipc kökü</a>: - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Korumalı alan <a href="sbie://docs/keyrootpath">kayıt kökü</a>: - + Portable root folder Taşınabilir kök klasörü - + Start UI with Windows Windows başlangıcında kullanıcı arayüzünü başlat - + Start UI when a sandboxed process is started Korumalı alanda bir işlem başlatıldığında kullanıcı arayüzünü başlat - + Show file recovery window when emptying sandboxes Korumalı alanlar boşaltılırken kurtarma penceresini göster - + ... ... @@ -8981,12 +9097,12 @@ The process match level has a higher priority than the specificity and describes Genel Yapılandırma - + Hotkey for terminating all boxed processes: Tüm alanlardaki işlemleri sonlandırmak için kısayol tuşu: - + Systray options Sistem Tepsisi Seçenekleri @@ -8996,113 +9112,113 @@ The process match level has a higher priority than the specificity and describes Kullanıcı arayüzü dili: - + Shell Integration Kabuk Entegrasyonu - + Run Sandboxed - Actions Korumalı Alanda Çalıştır - Eylemler - + Always use DefaultBox Her zaman varsayılan korumalı alanı kullan - + Count and display the disk space occupied by each sandbox Her bir korumalı alanın kapladığı disk alanını hesapla ve görüntüle - + This option also enables asynchronous operation when needed and suspends updates. Bu seçenek ayrıca gerektiğinde eşzamansız çalışmayı da etkinleştirir ve güncellemeleri askıya alır. - + Suppress pop-up notifications when in game / presentation mode Oyun / sunum modundayken açılır bildirimleri bastır - + Start Sandbox Manager Korumalı Alan Yöneticisini Başlatma - + Use Compact Box List Kompakt alan listesini kullan - + Interface Config Arayüz Yapılandırması - + Show "Pizza" Background in box list * Alan listesinde "Pizza" arka planını göster * - + Make Box Icons match the Border Color Alan simgelerini kenarlık rengiyle eşleştir - + Use a Page Tree in the Box Options instead of Nested Tabs * Alan seçeneklerinde iç içe sekmeler yerine sayfa ağacı kullan * - - + + Interface Options Arayüz Seçenekleri - + Use large icons in box list * Alan listesinde büyük simgeler kullan * - + High DPI Scaling Yüksek DPI ölçekleme - + Don't show icons in menus * Menülerde simgeleri gösterme * - + Font Scaling Yazı tipi ölçekleme - + (Restart required) (Yeniden başlatma gereklidir) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * kısmen işaretlenmiş bir onay kutusu, olması gereken davranışı görüntüleme modu tarafından belirlenecek şekilde bırakacaktır. - + Show the Recovery Window as Always on Top Kurtarma penceresini her zaman üstte göster - + % % - + Alternate row background in lists Listelerde alternatif satır arka planını göster @@ -9112,661 +9228,671 @@ The process match level has a higher priority than the specificity and describes SandMan Seçenekleri - + Notifications Bildirimler - + Add Entry Giriş Ekle - + Show file migration progress when copying large files into a sandbox Büyük dosyaları bir korumalı alana kopyalarken dosya taşıma ilerlemesini göster - + Message ID Mesaj NO - + Message Text (optional) Mesaj Metni (isteğe bağlı) - + SBIE Messages SBIE Mesajları - + Delete Entry Girişi Sil - + Notification Options Bildirim Seçenekleri - + Windows Shell Windows Kabuğu - + Move Up Yukarı Taşı - + Move Down Aşağı Taşı - + Use Fusion Theme Füzyon temasını kullan - + Show overlay icons for boxes and processes Alanlar ve işlemler için simge bindirmelerini göster - + Graphic Options Grafik Seçenekleri - + Advanced Config Gelişmiş Yapılandırma - + Sandboxing features Korumalı Alan Özellikleri - + Sandboxie.ini Presets Sandboxie.ini Ön Ayarları - + Program Control Program Denetimi - + Sandboxie Config Sandboxie Yapılandırması - + The preview channel contains the latest GitHub pre-releases. Ön izleme kanalı, en son yayınlanan GitHub ön sürümlerini içerir. - + The stable channel contains the latest stable GitHub releases. Kararlı kanal, en son yayınlanan kararlı GitHub sürümlerini içerir. - + Search in the Stable channel Kararlı kanalda ara - + Search in the Preview channel Ön izleme kanalında ara - + Enter the support certificate here Destek sertifikasını buraya girin - + Show recoverable files as notifications Kurtarılabilir dosyaları bildirim olarak göster - + Show Icon in Systray: Simgeyi sistem tepsisinde göster: - + Use Windows Filtering Platform to restrict network access Ağ erişimini kısıtlamak için Windows Filtreleme Platformunu kullan - + Hook selected Win32k system calls to enable GPU acceleration (experimental) GPU hızlandırmayı etkinleştirmek için seçilmiş win32k sistem çağrılarını kancala (Deneysel) - + Run box operations asynchronously whenever possible (like content deletion) Alan işlemlerini mümkünse eşzamansız olarak çalıştır (İçerik silme gibi) - + Show boxes in tray list: Alanları tepsi listesinde göster: - + Add 'Run Un-Sandboxed' to the context menu Bağlam menüsüne 'Korumalı Alanın Dışında Çalıştır' seçeneği ekle - + Recovery Options Kurtarma Seçenekleri - + Show a tray notification when automatic box operations are started Otomatik alan işlemleri başlatıldığında bir tepsi bildirimi göster - + Start Menu Integration Başlat Menüsü Entegrasyonu - + Scan shell folders and offer links in run menu Kabuk klasörlerini tara ve çalıştır menüsünde kısayollar sun - + Integrate with Host Start Menu Ana Sistem Başlat Menüsü ile entegrasyon - + User Interface Kullanıcı Arayüzü - + Use new config dialog layout * Yeni yapılandırma diyalog düzenini kullan * - + Run Menu Çalıştır Menüsü - + Add program Program Ekle - + You can configure custom entries for all sandboxes run menus. Tüm korumalı alanların çalıştırma menüsünde görünecek özel girişleri yapılandırabilirsiniz. - - - + + + Remove Kaldır - + Command Line Komut Satırı - + Support && Updates Destek && Güncellemeler - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Sandboxie-Plus projesinin destekçileri bir <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">destekçi sertifikası</a> alabilir. Bir lisans anahtarı gibi ama açık kaynaklı yazılım kullanan harika insanlar için. :-) - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. Sandboxie'yi Windows'un devam eden sürümleri ve tüm web tarayıcıları ile uyumlu tutmak, hiç bitmeyen bir çabadır. Projeye <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">doğrudan katkıda bulunarak</a>, <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">destekçi sertifikası satın alarak</a>, <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon'a abone olarak</a> veya <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal bağışı yaparak</a> projenin gelişimini destekleyebilirsiniz.<br />Desteğiniz, Sandboxie'nin ilerlemesi ve sürdürülmesinde hayati bir rol oynar. - + Activate Kernel Mode Object Filtering Kernel modu nesne filtrelemeyi etkinleştir - + Default sandbox: Varsayılan korumalı alan: - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie, Mesaj Günlüğüne <a href="sbie://docs/sbiemessages">SBIE Mesajları</a> yayınlayabilir ve bunları Açılır Pencereler olarak gösterebilir. Bazı mesajlar bilgilendirme amaçlıdır ve meydana gelen genel amaçlı veya bazı durumlara özel olayları bildirir, diğer mesajlar ise hata durumunlarını belirtir.<br />Aşağıdaki listeyi kullanarak seçili SBIE mesajlarının açılmasını engelleyebilirsiniz: - + Disable SBIE messages popups (they will still be logged to the Messages tab) SBIE mesajları için açılır pencereleri devre dışı bırak (bunlar yine de Mesajlar sekmesine kaydedilecektir) - + Hide Sandboxie's own processes from the task list Sandboxie'nin kendi işlemlerini görev listesinden gizle - + Ini Editor Font Ini Düzenleyici Yazı Tipi - + Select font Yazı tipini seç - + Reset font Yazı tipini sıfırla - + Ini Options Ini Seçenekleri - + # # - + External Ini Editor Harici Ini Düzenleyici - + Add-Ons Manager Eklenti Yöneticisi - + Optional Add-Ons İsteğe Bağlı Eklentiler - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. Sandboxie-Plus çok sayıda seçenek sunar ve çok çeşitli uzantıları destekler. Bu sayfadan eklentilerin, uzantıların ve diğer üçüncü taraf bileşenlerin entegrasyonunu yapılandırabilirsiniz. İsteğe bağlı bileşenler web'den indirilebilir ve bazı kurulumlar yönetici ayrıcalıkları gerektirebilir. - + Status Durum - + Version Sürüm - + Description Açıklama - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">Eklenti listesini şimdi güncelle</a> - + Install Yükle - + Add-On Configuration Eklenti Yapılandırması - + Enable Ram Disk creation Bellek Diski oluşturmayı etkinleştir - + kilobytes kilobayt - + Disk Image Support Disk Görüntüsü Desteği - + RAM Limit Bellek Sınırı - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. Bellek Diski ve Disk Görüntüsü desteğini etkinleştirmek için <a href="addon://ImDisk">ImDisk</a> sürücüsünü yükleyin. - + Hotkey for bringing sandman to the top: SandMan penceresini üste getirmek için kısayol tuşu: - + Hotkey for suspending process/folder forcing: İşlem/klasör zorlamayı askıya almak için kısayol tuşu: - + Hotkey for suspending all processes: Tüm işlemleri askıya almak için kısayol tuşu: - + Check sandboxes' auto-delete status when Sandman starts Korumalı alanların otomatik silme durumunu SandMan başladığında denetle - + Integrate with Host Desktop Ana Sistem Masaüstü ile entegrasyon - + System Tray Sistem Tepsisi - + On main window close: Ana pencere kapatıldığında: - + Open/Close from/to tray with a single click Tek tıklamayla tepsi açılsın/kapansın - + Minimize to tray Tepsiye küçült - + Hide SandMan windows from screen capture (UI restart required) SandMan penceresini ekran yakalamadan gizle (Kullanıcı arayüzünün yeniden başlatılması gerekir) - + Assign drive letter to Ram Disk Bellek Diskine sürücü harfi atayın - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. Bir Bellek Diski zaten bağlıysa, bu seçeneğin etkili olması için bağlantısını kesmeniz gerekir. - + * takes effect on disk creation * disk oluşturulurken etkili olur - + Sandboxie Support Sandboxie Desteği - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. Bu destekçi sertifikasının süresi dolmuş, lütfen <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">güncellenmiş bir sertifika edinin</a>. - + Get Al - + Retrieve/Upgrade/Renew certificate using Serial Number Seri Numarasını Kullanarak Sertifika Al/Yükselt/Yenile - + Add 'Set Force in Sandbox' to the context menu Bağlam menüsüne 'Korumalı Alanda Zorlamaya Ayarla' seçeneği ekle - + Add 'Set Open Path in Sandbox' to context menu Bağlam menüsüne 'Korumalı Alanda Açık Erişime Ayarla' seçeneği ekle - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Sertifika kullanım kılavuzu</a> - + HwId: 00000000-0000-0000-0000-000000000000 HwId: 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits Arayüzden çıkarken tüm alanlardaki işlemleri de sonlandır - + Cert Info Sertifika Bilgisi - + Sandboxie Updater Sandboxie Güncelleyici - + Keep add-on list up to date Eklenti listesini güncel tut - + Update Settings Ayarları güncelle - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Insider kanalı, herkese açılacak yeni özelliklere ve hata düzeltmelerine erken erişim sağlar ve ayrıca kararlı kanaldaki ilgili tüm iyileştirmeleri de bulundurur. Ön izleme kanalından farklı olarak, genel kullanıma hazır olmayan denenmemiş, potansiyel olarak bozuk veya deneysel değişiklikleri içermez. - + Search in the Insider channel Insider kanalında ara - + New full installers from the selected release channel. Seçili sürüm kanalından yeni tam yükleyiciler. - + Full Upgrades Tam Yükseltmeler - + Check periodically for new Sandboxie-Plus versions Sandboxie-Plus güncellemelerini düzenli aralıklarla denetle - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Kanalı</a> hakkında daha fazla bilgi - + Keep Troubleshooting scripts up to date Sorun giderme betik dosyalarını güncel tut - + Update Check Interval Güncelleme Denetleme Aralığı - + Use a Sandboxie login instead of an anonymous token Anonim kullanıcı yerine Sandboxie oturum açma belirteci kullan - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) Korumalı alan belirtecine "Sandboxie\All Sandboxes" grubunu ekle (deneysel) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + Bu özellik korumalı alan klasörüne erişimi kısıtlayarak diğer kullanıcıların bu klasöre erişimini önleyerek korumalı alanı korur. Her kullanıcının özel bir korumalı alan klasörü kullanması için kök klasör yolunun %USER% makrosunu içerdiğinden emin olun. + + + + Restrict box root folder access to the the user whom created that sandbox + Korumalı alan kök klasörüne erişimi, o alanı oluşturan kullanıcıyla sınırla + + + Always run SandMan UI as Admin SandMan'i her zaman Yönetici olarak çalıştır - + Program Alerts Program Uyarıları - + Issue message 1301 when forced processes has been disabled Zorunlu işlemler devre dışı bırakıldığında 1301 mesajını yayınla - + USB Drive Sandboxing USB Sürücü Korumalı Alanı - + Volume Birim - + Information Bilgi - + Sandbox for USB drives: USB sürücüler için korumalı alan: - + Automatically sandbox all attached USB drives Bağlı tüm USB sürücülerini otomatik olarak korumalı alana al - + App Templates Uygulama Şablonları - + App Compatibility Uygulama Uyumluluğu - + Local Templates Yerel Şablonlar - + Add Template Şablon Ekle - + Text Filter Metin Filtresi - + This list contains user created custom templates for sandbox options Bu liste, korumalı alan seçenekleri için kullanıcı tarafından oluşturulan özel şablonları içerir - + Open Template Şablonu Aç - + Edit ini Section Ini Düzenleme Bölümü - + Save Kaydet - + Edit ini Ini Düzenle - + Cancel İptal - + Incremental Updates Artımlı Güncellemeler - + Hotpatches for the installed version, updates to the Templates.ini and translations. Kurulu sürüm için hızlı yamalar, Templates.ini ve çeviri güncellemeleri. - + In the future, don't notify about certificate expiration Gelecekte, sertifika süresinin dolmasıyla ilgili bildirimde bulunma - + Only Administrator user accounts can use Pause Forcing Programs command Yalnızca Yönetici hesapları Programları Zorlamayı Duraklat komutunu kullanabilsin @@ -9779,22 +9905,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Ad: - + Remove Snapshot Anlık Görüntüyü Kaldır - + Description: Açıklama: - + Go to Snapshot Anlık Görüntüye Git - + Take Snapshot Anlık Görüntü Al @@ -9804,7 +9930,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Seçili Anlık Görüntünün Ayrıntıları - + Snapshot Actions Anlık Görüntü Eylemleri @@ -9814,12 +9940,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, SandboxiePlus - Anlık Görüntüler - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Anlık görüntüsü alınmış bir alanın içeriği silinirken, alanın içeriği varsayılan anlık görüntüye döndürülecektir. - + Default snapshot Varsayılan anlık görüntü diff --git a/SandboxiePlus/SandMan/sandman_uk.ts b/SandboxiePlus/SandMan/sandman_uk.ts index 0842aeb8..854735fc 100644 --- a/SandboxiePlus/SandMan/sandman_uk.ts +++ b/SandboxiePlus/SandMan/sandman_uk.ts @@ -9,53 +9,53 @@ - + kilobytes кілобайт - + Protect Box Root from access by unsandboxed processes - - + + TextLabel Текстова етикетка - + Show Password Показати пароль - + Enter Password - + New Password Новий пароль - + Repeat Password Повторіть пароль - + Disk Image Size - + Encryption Cipher - + Lock the box when all processes stop. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? - + Installing: %1 - + Add-on not found, please try updating the add-on list in the global settings! - + Add-on Not Found - + Add-on is not available for this platform Addon is not available for this paltform - + Missing installation instructions Missing instalation instructions - + Executing add-on setup failed - + Failed to delete a file during add-on removal - + Updater failed to perform add-on operation Updater failed to perform plugin operation - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 - + Do you want to remove %1? - + Removing: %1 - + Add-on not found! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Налаштування пісочниці - + On this page advanced sandbox options can be configured. @@ -149,34 +149,34 @@ Прибрати права в групи Адміністраторів - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -184,52 +184,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Вимкнений - + Advanced Options Додаткові налаштування - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -343,31 +353,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) кілобайт (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -383,22 +393,22 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Пісочниця ізольовує Вашу систему від процесів, які є в пісочниці, це захищає від змін в інших програмах та даних на вашому комп'ютері. Рівень безпеки впливає на Вашу безпеку, так й на сумісність з іншими додатками, кожний тип пісочниці має свій рівень безпеки. Sandboxie може захистити Ваші персональні файли від процесів, які виконані у пісочниці. - + Enter box name: @@ -407,136 +417,136 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a Новий контейнер - + Select box type: Sellect box type: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection Зміцнений контейнер зі захистом даних - + Security Hardened Sandbox Зміцнений контейнер - + Sandbox with Data Protection Контейнер зі захистом даних - + Standard Isolation Sandbox (Default) Стандартний ізольований контейнер (За замовчуванням) - + Application Compartment with Data Protection Контейнер для додатків зі захистом даних - + Application Compartment Box - + Confidential Encrypted Box - + Remove after use - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. - + Configure advanced options - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -823,37 +833,65 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - Нормальний - - - - Maximum + Zip + Store + + + + + Fastest + + + + + Fast + + + + + Normal + Нормальний + + + + Maximum + + + + Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + Оберіть каталог + + + + This name is already in use, please select an alternative box name + + + CFileBrowserWindow @@ -903,13 +941,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -917,64 +955,64 @@ You can use %USER% to save each users sandbox to an own fodler. - + Sandboxed Files - + Select Directory Оберіть каталог - + Virtualization scheme - + Version 1 - + Version 2 - + Separate user folders Розділити папки користувачів - + Use volume serial numbers for drives - + Auto delete content when last process terminates - + Enable Immediate Recovery of files from recovery locations - + The selected box location is not a valid path. The sellected box location is not a valid path. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. @@ -1114,83 +1152,83 @@ You can use %USER% to save each users sandbox to an own fodler. CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access - + Allow network/internet access - + Block network/internet by denying access to Network devices - + Block network/internet using Windows Filtering Platform - + Allow access to network files and folders - - + + This option is not recommended for Hardened boxes - + Prompt user whether to allow an exemption from the blockade - + Admin Options - + Drop rights from Administrators and Power Users groups Прибрати права в групи Адміністраторів - + Make applications think they are running elevated - + Allow MSIServer to run with a sandboxed system token - + Box Options Налаштування пісочниці - + Use a Sandboxie login instead of an anonymous token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. @@ -1296,24 +1334,25 @@ You can use %USER% to save each users sandbox to an own fodler. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. - + Don't show this message again. Не показувати це повідомлення знову. @@ -1329,133 +1368,133 @@ You can use %USER% to save each users sandbox to an own fodler. COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + Do you want to check if there is a new version of Sandboxie-Plus? Ви хочете перевіряти наявність нових версій Sandboxie-Plus? - + Don't show this message again. Не показувати це повідомлення знову. - + Checking for updates... Перевірка оновленнь... - + server not reachable сервер не доступний - - + + Failed to check for updates, error: %1 Не вдалося перевірити наявність оновленнь, помилка: %1 - + <p>Do you want to download the installer?</p> - + <p>Do you want to download the updates?</p> - + Don't show this update anymore. - + Downloading updates... - + invalid parameter - + failed to download updated information failed to download update informations - + failed to load updated json file failed to load update json file - + failed to download a particular file - + failed to scan existing installation - + updated signature is invalid !!! update signature is invalid !!! - + downloaded file is corrupted - + internal error - + unknown error - + Failed to download updates from server, error %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> - + Downloading installer... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Ви хочете перейти до <a href="%1">інформаційної сторінки</a>?</p> - + Don't show this announcement in the future. Не показувати це оголошення знову. @@ -1464,7 +1503,7 @@ Do you still want to update? <p>Нова версія Sandboxie-Plus вже доступна.<br /><font color='red'>Нова версія:</font> <b>%1</b></p> - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> @@ -1473,7 +1512,7 @@ Do you still want to update? <p>Ви хочете завантажити останню версію?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Ви хочете відкрити <a href="%1">сторінку завантаження</a>?</p> @@ -1482,7 +1521,7 @@ Do you still want to update? Не показувати це повідомлення більше. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1518,9 +1557,9 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - - + + Browse for File Пошук файлу @@ -1664,21 +1703,21 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory Оберіть каталог - + - - - - + + + + @@ -1688,12 +1727,12 @@ Note: The update check is often behind the latest GitHub release to ensure that Усі програми - - + + - - + + @@ -1727,8 +1766,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1741,141 +1780,141 @@ Note: The update check is often behind the latest GitHub release to ensure that Шаблон не можна видалити. - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. - + Enable crash dump creation in the sandbox folder - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes - + Set RpcMgmtSetComTimeout usage for specific processes - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. - + Force specified processes to wait for a debugger to attach. - + Sandbox file system root - + Sandbox registry root - + Sandbox ipc root - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: - - + + On Start При старті - - - - - + + + + + Run Command Виконати команду - + Start Service Запустити слубжу - + On Init При ініціалізації - + On File Recovery - + On Delete Content - + On Terminate - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1884,11 +1923,11 @@ Note: The update check is often behind the latest GitHub release to ensure that При видаленні - - - - - + + + + + Please enter the command line to be executed Будь ласка, введіть командний рядок, який потрібно виконати @@ -1897,48 +1936,74 @@ Note: The update check is often behind the latest GitHub release to ensure that Будь ласка, введіть назву файла програми - + Deny - + %1 (%2) %1 (%2) - - + + Process Процес - - + + Folder Папка - + Children - - - + + Document + + + + + + Select Executable File - - - + + + Executable Files (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? @@ -2019,156 +2084,156 @@ Note: The update check is often behind the latest GitHub release to ensure that Пісочниця для додатків - + Custom icon - + Version 1 - + Version 2 - + Browse for Program Оберіть програму - + Open Box Options - + Browse Content Переглянути зміст - + Start File Recovery - + Show Run Dialog - + Indeterminate - + Backup Image Header - + Restore Image Header - + Change Password Змінити пароль - - + + Always copy - - + + Don't copy - - + + Copy empty - + kilobytes (%1) кілобайт (%1) - + Select color Оберіть колір - + Select Program Вибрати програму - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored - + Please enter a service identifier Будь ласка, введіть індентификатор служби - + Executables (*.exe *.cmd) Виконавчі (*.exe *.cmd) - - + + Please enter a menu title Будь ласка, введіть назву меню - + Please enter a command Будь ласка, введіть команду @@ -2247,7 +2312,7 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Allow @@ -2386,62 +2451,62 @@ Please select a folder which contains this file. Ви дійсно хочете видалити обраний локальний шаблон? - + Sandboxie Plus - '%1' Options Sandboxie Plus - Параметри '%1' - + File Options Налаштування файла - + Grouping - + Add %1 Template - + Search for options - + Box: %1 - + Template: %1 - + Global: %1 - + Default: %1 - + This sandbox has been deleted hence configuration can not be saved. Цей контейнер був видалений, тому конфігурацію не можна зберегти. - + Some changes haven't been saved yet, do you really want to close this options window? Деякі зміни не збережені досі, ви дійсно хочете закрити це вікно параметрів? - + Enter program: Введіть програму: @@ -2492,12 +2557,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss Відхилити - + Remove this progress indicator from the list Прибрати цей індикатор прогресу зі списку @@ -2505,42 +2570,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process Запам'ятати для цього процесу - + Yes Так - + No Ні - + Terminate Завершити - + Yes and add to allowed programs Так і додати до дозволених програм - + Requesting process terminated Процес запиту був завершений - + Request will time out in %1 sec Час очікування запиту закінчиться через %1 сек - + Request timed out Час очікування запиту закінчився @@ -2548,67 +2613,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: Відновити в: - + Browse Огляд - + Clear folder list Очистити - + Recover Відновити - + Recover the file to original location Відновити файл до початкового розташування - + Recover && Explore Відновити та Показати - + Recover && Open/Run Відновити та Відкрити/Виконати - + Open file recovery for this box Відкрити відновлення файлів для цього контейнеру - + Dismiss Відхилити - + Don't recover this file right now Не відновлювати цей файл зараз - + Dismiss all from this box Відхилити все з цього контейнеру - + Disable quick recovery until the box restarts Вимкнути швидке відновлення, поки контейнер перезавантажується - + Select Directory Оберіть каталог @@ -2744,37 +2809,42 @@ Full path: %4 - + Select Directory Оберіть каталог - + + No Files selected! + + + + Do you really want to delete %1 selected files? Ви дійсно бажаєте видалити %1 вибраних файлів? - + Close until all programs stop in this box Закрити, поки всі програми не зупинять роботу у пісочниці - + Close and Disable Immediate Recovery for this box Закрити та вимкнути негайне відновлення для цієї пісочниці - + There are %1 new files available to recover. Доступно %1 нових файлів для відновлення. - + Recovering File(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. В пісочниці є %1 файл(ів) та %2 папок, які використовують %3 дискового простору. @@ -2930,22 +3000,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 Очікування папки: %1 - + Deleting folder: %1 Видалення папки: %1 - + Merging folders: %1 &gt;&gt; %2 Злиття папок: %1 та %2 - + Finishing Snapshot Merge... Завершення злиття знімків... @@ -2953,37 +3023,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled Вимкнений - + OPEN Root Access - + Application Compartment Пісочниця для додатків - + NOT SECURE НЕ ЗАХИЩЕНО - + Reduced Isolation Знижена ізоляція - + Enhanced Isolation Посилена ізоляція - + Privacy Enhanced Посилена конфіденційність @@ -2992,32 +3062,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, Журнал API - + No INet (with Exceptions) - + No INet Без доступу до Інтернет - + Net Share Локальна мережа - + No Admin Без прав адміністратора - + Auto Delete - + Normal Нормальний @@ -3051,37 +3121,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - + Sandboxed - + Unsandboxed - + Reset Columns Скинути налаштування стовців - + Copy Cell Скопіювати клітинку - + Copy Row Скопіювати рядок - + Copy Panel Скопіювати панель @@ -3370,7 +3440,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus Про Sandboxie-Plus @@ -3464,9 +3534,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. Не показувати це повідомлення знову. @@ -3596,19 +3666,19 @@ Please check if there is an update for sandboxie. - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Помилка - + Failed to stop all Sandboxie components Не вдалося зупинити всі компоненти Sandboxie - + Failed to start required Sandboxie components Не вдалося запустити потрібні для Sandboxie компоненти @@ -3667,27 +3737,27 @@ No will choose: %2 Ні, Sandboxie-Plus обере: %2 - + A sandbox must be emptied before it can be deleted. Перед видаленням пісочницю необхідно очистити. - + The supporter certificate is not valid for this build, please get an updated certificate Цей сертифікат спонсора не є дійсним для цієї збірки, будь ласка, оновіть сертифікат - + The supporter certificate has expired%1, please get an updated certificate Термін дії сертифіката підтримки закінчився%1, будь ласка, отримайте оновлений сертифікат - + , but it remains valid for the current build , але він залишається дісним для поточної збірки - + The supporter certificate will expire in %1 days, please get an updated certificate Цей сертифікат спонсора буде вичерпаний через %1 днів, будь ласка, отримайте новий сертифікат @@ -3722,7 +3792,7 @@ No will choose: %2 %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Ця функція доступна лише для спонсорів проєкту. Процеси, які працюють з цією функцією без сертифіката спонсора, будуть завершені через 5 хвилин.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Станьте спонсором проєкту</a>, та отримайте <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертифікат спонсора</a> @@ -3778,22 +3848,22 @@ No will choose: %2 - + Only Administrators can change the config. Тільки адміністратор може змінити конфігурацію. - + Please enter the configuration password. Будь ласка, введіть пароль конфігурації. - + Login Failed: %1 Не вдалося увійти: %1 - + Do you want to terminate all processes in all sandboxes? Ви дійсно хочете завершити всі процеси в всіх пісочницях? @@ -3802,57 +3872,57 @@ No will choose: %2 Завершити без запитань - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Програму Sandboxie-Plus було запущено в портативному режимі та для цього режиму потрібно сторити необхідні служби. Це може потребувати права адміністратора. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. УВАГА: Ще один агент (можливо, SbieCtrl.exe) вже керує цим сеаносом Sandboxie, будь ласка, завершіть інший сеанс та повторно підключиться. - + Executing maintenance operation, please wait... Виконання операції для технічного обслуговування, зачекайте... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Ви дійсно хочете скинути сховані вікна повідомлень (так), або тількі всі повідомлення журналу (ні)? - + The changes will be applied automatically whenever the file gets saved. Зміни будуть застосовані автоматично, коли файл буде збережений. - + The changes will be applied automatically as soon as the editor is closed. Зміни будуть застосовані автоматично, коли текстовий редактор буде закритий. - + Error Status: 0x%1 (%2) Код помилки: 0x%1 (%2) - + Unknown Невідомо - + Failed to copy box data files Не вдалося скопіювати файли пісочниці - + Failed to remove old box data files Не вдалося видалити старі файли пісочниці - + Unknown Error Status: 0x%1 Невідома помилка: 0x%1 @@ -3886,7 +3956,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Sandboxie-Plus - це продовження Sandboxie з відкритим кодом.<br />Відвідайте <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> для більш детальної інформації.<br /><br />%3<br /><br />Версія драйвера: %1<br />Особливості: %2<br /><br />Зображення з <a href="https://icons8.com">icons8.com</a> - + Administrator rights are required for this operation. Для цієї дії потрібні права адміністратора. @@ -4037,27 +4107,27 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + (%1) (%1) - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Програма %1, яка працює в пісочниці %2, буде завершена через 5 хвилин, тому що пісочниця має в своїй конфігурації функції, які доступні лише для спонсорів. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Контейнер %1 налаштовано на використання функцій, доступних виключно для спонсорів проекту, ці попередні налаштування будуть ігноровані. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Стань спонсором проекту</a>, та отримай <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертифікат спонсора</a> @@ -4138,126 +4208,126 @@ Note: The update check is often behind the latest GitHub release to ensure that - + Failed to configure hotkey %1, error: %2 - + The box %1 is configured to use features exclusively available to project supporters. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The selected feature requires an <b>advanced</b> supporter certificate. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! - + The Certificate is not suitable for this product. - + The Certificate is node locked. - + The support certificate is not valid. Error: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! - - + + Don't ask in future - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - + Please enter the duration, in seconds, for disabling Forced Programs rules. Будь ласка, введіть тривалість вимкнення правил примусових програм у секундах. - + No Recovery - + No Messages - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. - + Maintenance operation failed (%1) Помилка технічного обслуговування (%1) - + Maintenance operation completed - + In the Plus UI, this functionality has been integrated into the main sandbox list view. В інтерфейсі Plus цю функцію інтегровано в головний список ізольованого програмного середовища. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Використовуючи контекстне меню пісочниці/групи, ви можете переміщувати пісочниці та групи в інші групи. Ви також можете використовувати перетягування для переміщення елементів. Крім того, ви також можете використовувати клавіші зі стрілками, утримуючи натиснутою клавішу ALT, щоб переміщувати елементи вгору та вниз у їхній групі.<br />Ви можете створювати нові поля та групи з меню "Пісочниці". - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4265,219 +4335,219 @@ This file is part of Sandboxie and all changed done to it will be reverted next - + Sandboxie config has been reloaded Конфігурацію Sandboxie перезавантажено - + Failed to execute: %1 Не вдалося виконати: %1 - + Failed to connect to the driver Не вдалося підключитись до драйвера - + Failed to communicate with Sandboxie Service: %1 Не вдалося підключитись до служби Sandboxie: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Була знайдена несумісна версія Sandboxie %1. Сумістима версія: %2 - + Can't find Sandboxie installation path. Не вдалося знайти місце інсталяції Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Не вдалося скопіювати конфігурацію пісочниці %1: %2 - + A sandbox of the name %1 already exists Пісочниця з назвою %1 вже існує - + Failed to delete sandbox %1: %2 Не вдалося видалити пісочницю %1: %2 - + The sandbox name can not be longer than 32 characters. Назва пісочниці має не більше 32 символів. - + The sandbox name can not be a device name. Назва пісочниці не повина містити назву пристроя. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Назва пісочниці має містити тільки літери, цифри та символи підкреслення, які будуть відображатись, як пробіли. - + Failed to terminate all processes Не вдалося завершити всі процеси - + Delete protection is enabled for the sandbox Захист від видалення увімкнен для пісочниці - + All sandbox processes must be stopped before the box content can be deleted Усі процеси пісочниці необхідно зупинити, перш ніж вміст контейнера можна буде видалити - + Error deleting sandbox folder: %1 Помилка під час видалення папки пісочниці: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. - + Failed to move directory '%1' to '%2' Не вдалося перемістити папку '%1' до '%2' - + Failed to move box image '%1' to '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Ця операція зі знимком не може виконатись, коли процеси працюють в пісочниці. - + Failed to create directory for new snapshot Не вдалося створити папку для нового знімку - + Snapshot not found Знімок не знайдено - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Помилка під час злиття папок знімків '%1' та '%2', знімок був створений неповністю. - + Failed to remove old snapshot directory '%1' Не вдалося видалити папку старого знімку '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Не можливо видалити знімок, який використовується в інших знімках - + You are not authorized to update configuration in section '%1' Ви не маєте прав змінювати конфігурацію в розділі '%1' - + Failed to set configuration setting %1 in section %2: %3 Не вдалося застосвувати параметр %1 конфігурації в розділі %2: %3 - + Can not create snapshot of an empty sandbox Не можливо створити знімок у порожній пісочниці - + A sandbox with that name already exists Пісочниця з такою назвою вже існує - + The config password must not be longer than 64 characters Пароль конфігурації не повинен містити більше 64 символів - + The operation was canceled by the user Операцію скасував користувач - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded - + Failed to create the box archive - + Failed to open the 7z archive - + Failed to unpack the box archive - + The selected 7z file is NOT a box archive - + Operation failed for %1 item(s). Дія не вдалась для %1 елемента(ів). - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> @@ -4486,37 +4556,37 @@ This file is part of Sandboxie and all changed done to it will be reverted next Ви хочете відкрити %1 у веб-браузері із пісочниці (так) чи ззовні (ні)? - + Remember choice for later. Запам'ятати цей вибір. - + Case Sensitive - + RegExp - + Highlight - + Close Закрити - + &Find ... - + All columns @@ -4838,38 +4908,38 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieTemplatesEx - + Failed to initialize COM - + Failed to create update session - + Failed to create update searcher - + Failed to set search options - + Failed to enumerate installed Windows updates Failed to search for updates - + Failed to retrieve update list from search result - + Failed to get update count @@ -4877,235 +4947,235 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieView - - + + Create New Box Створити нову пісочницю - + Remove Group Прибрати групу - - + + Run Виконати - + Run Program Виконати програму - + Run from Start Menu Виконати з меню 'Пуск' - + Default Web Browser Веб-браузер за замовчуванням - + Default eMail Client Клієнт для ел. почти за замовчуванням - + Windows Explorer Провідник Windows (Windows Explorer) - + Registry Editor Редактор реєстру (Regedit) - + Programs and Features Програми та компоненти - + Terminate All Programs Закрити всі програми - - - - - + + + + + Create Shortcut Створити ярлик - - + + Explore Content Переглянути зміст - - + + Refresh Info Оновити інформацію - - + + Snapshots Manager Менеджер знімків - + Recover Files Відновити файли - - + + Delete Content Видалити зміст - + Sandbox Presets Перед встановлення пісочниці - + Ask for UAC Elevation Запитати про UAC - + Drop Admin Rights Прибрати права адміністратора - + Emulate Admin Rights Емулювати права адміністратора - + Block Internet Access Заблокувати доступ до Інтернету - + Allow Network Shares Дозволити ресурси локальної мережі - + Sandbox Options Налаштування пісочниці - - + + (Host) Start Menu - + Browse Files Огляд файлів - + Immediate Recovery Негайне відновлення - + Disable Force Rules - - + + Sandbox Tools Інструменти пісочниці - + Duplicate Box Config Дубльована конфігурація ящика - + Export Box - - + + Rename Sandbox Перейменувати пісочницю - - + + Move Sandbox Перемістити пісочницю - - + + Remove Sandbox Видалити пісочницю - - + + Terminate Завершити - + Preset Готові налаштування - - + + Pin to Run Menu Закріпити в меню 'Пуск' - - + + Import Box - + Block and Terminate Заблокувати та завершити - + Allow internet access Дозволити доступ до Інтернету - + Force into this sandbox Примусово в пісочниці - + Set Linger Process Встановити затриманий процес - + Set Leader Process Встановить лідерський процес @@ -5114,132 +5184,127 @@ This file is part of Sandboxie and all changed done to it will be reverted next Запустити у пісочниці - + Run Web Browser Запустити веб-браузер - + Run eMail Reader Запустити поштовий клієнт - + Run Any Program Запустити будь-яку програму - + Run From Start Menu Запустити з меню "Пуск" - + Run Windows Explorer Запустити провідник Windows - + Terminate Programs Припинення роботи програм - + Quick Recover Швидке відновлення - + Sandbox Settings Налаштування пісочниці - + Duplicate Sandbox Config Дублювати конфігурацію пісочниці - + Export Sandbox - + Move Group Перемістити групу - + File root: %1 Корінь файлу: %1 - + Registry root: %1 Корінь реєстру: %1 - + IPC root: %1 Корінь IPC: %1 - + Options: Параметри: - + [None] [Немає] - - This name is already in use, please select an alternative box name - - - - + Importing: %1 - + Please enter a new group name Будь ласка, введіть назву нової групи - + Do you really want to remove the selected group(s)? Ви дійсно хочете видалити цю(і) групу(и)? - - + + Create Box Group Створити групу пісочниць - + Rename Group Перейменувати групу - - + + Stop Operations Зупинити операції - + Command Prompt Командний рядок @@ -5248,264 +5313,254 @@ This file is part of Sandboxie and all changed done to it will be reverted next Інструменти пісочниці - + Command Prompt (as Admin) Командний рядок (від імені Адміністратора) - + Command Prompt (32-bit) Командний рядок (32-біт) - + Execute Autorun Entries Виконати Autorun - + Browse Content Переглянути зміст - + Box Content Зміст пісочниці - + Standard Applications - + Open Registry Відкрити Реєстр - - + + Mount Box Image - - + + Unmount Box Image - - + + Move Up Перемістити вгору - - + + Move Down Перемістити вниз - + Suspend - + Resume - + Disk root: %1 - + Please enter a new name for the Group. Будь ласка, введіть нову назву для групи. - + Move entries by (negative values move up, positive values move down): Перемістити в (негативні значення піднімають вгору, позитивні - вниз): - + A group can not be its own parent. Ця група не може бути власним батьком. - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + The Sandbox name and Box Group name cannot use the ',()' symbol. - + This name is already used for a Box Group. Ця назва вже використовується для групи пісочниці. - + This name is already used for a Sandbox. Ця назва вже використовується для пісочниці. - - - + + + Don't show this message again. Не показувати це повідомлення знову. - - - + + + This Sandbox is empty. Ця пісочниця порожня. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. ПОПЕРЕДЖЕННЯ: Відкритий редактор реєстру не знаходиться в пісочниці, будьте обережні та змінюйте лише попередньо вибрані розташування пісочниці. - + Don't show this warning in future Не показувати це попередження в майбутньому - + Please enter a new name for the duplicated Sandbox. Будь ласка, введіть нове ім'я для копії пісочниці. - + %1 Copy %1 Копія - - + + Select file name - - - 7-zip Archive (*.7z) + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) - + Exporting: %1 - + Please enter a new name for the Sandbox. Будь ласка, введіть нове ім'я для пісочниці. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Ви дійсно хочете видалити цю(ці) пісочницю(і)?<br /><br />Попередження: вміст контейнера також буде видалено! - + This Sandbox is already empty. Ця пісочниця вже порожня. - - + + Do you want to delete the content of the selected sandbox? Ви дійсно хочете видалити зміст цієї пісочниці? - - + + Also delete all Snapshots Також видалити всі знімки - + Do you really want to delete the content of all selected sandboxes? Ви дійсно хочете видалити зміст усіх обраних пісочниць? - + Do you want to terminate all processes in the selected sandbox(es)? Ви хочете зупинити всі процеси в цієї(цих) пісочниці(ь)? - - + + Terminate without asking Зупинити без запитань - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Тепер відобразиться меню "Пуск" Sandboxie. Виберіть програму з меню, і Sandboxie створить новий ярлик на вашому реальному робочому столі, який ви зможете використовувати для виклику вибраної програми під наглядом Sandboxie. - - + + Create Shortcut to sandbox %1 Створити ярлик до пісочниці %1 - + Do you want to terminate %1? Do you want to %1 %2? Ви хочете %1 %2? - + the selected processes обрані процеси - + This box does not have Internet restrictions in place, do you want to enable them? Ця пісочниця не має обмежень доступу до Інтернет, ви хочете їх увімкнути? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Ця пісочниця вимкнена, ви хочете її увімкнути? @@ -5550,7 +5605,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - Налаштування @@ -5564,350 +5619,350 @@ This file is part of Sandboxie and all changed done to it will be reverted next Захист конфігурації - + Auto Detection Автовиявлення - + No Translation Без перекладу - - - - Don't integrate links - - - As sub group + Don't integrate links + As sub group + + + + + Fully integrate - + Don't show any icon Не показувати будь-яких піктограм - + Show Plus icon Показати піктограму Plus - + Show Classic icon Показати класичну (classic) піктограму - + All Boxes Усі контейнери - + Active + Pinned Активний + Закріплений - + Pinned Only Тільки закріплений - + Close to Tray Сховати у Tray - + Prompt before Close Підказка перед закриттям - + Close Закрити - + None Жодного - + Native Рідна - + Qt Qt - + %1 %1 - + HwId: %1 - + Search for settings - - - + + + Run &Sandboxed Запустити в пісочниці (&S) - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + Expires in: %1 days Expires: %1 Days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Вимкнений - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Home - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Sandboxed Web Browser Ізольований веб-браузер - - + + Notify - + Ignore - + Every Day - + Every Week - + Every 2 Weeks - + Every 30 days - - - - Download & Notify - - + Download & Notify + + + + + Download & Install - + Browse for Program Оберіть програму - + Add %1 Template - + Select font - + Reset font - + %0, %1 pt - + Please enter message - + Select Program Вибрати програму - + Executables (*.exe *.cmd) Виконавчі (*.exe *.cmd) - - + + Please enter a menu title Будь ласка, введіть назву меню - + Please enter a command Будь ласка, введіть команду - + kilobytes (%1) кілобайт (%1) - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. @@ -5916,117 +5971,117 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Термін дії цього сертифіката спонсора закінчився, будь ласка, <a href="sbie://update/cert">отримайте оновлений сертифікат</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Expired: %1 days ago - + Contributor - + Eternal - + Business - + Personal - + Great Patreon - + Patreon - + Family - + Evaluation - + Type %1 - + Advanced - + Advanced (L) - + Max Level - + Level %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. - + This certificate has unfortunately expired, you need to get a new certificate. - + <br />Plus features are no longer enabled. @@ -6035,22 +6090,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Термін дії цього сертифіката спонсора <font color='red'>закінчиться через %1 дн.</font>, будь ласка <a href="sbie://update/cert">отримайте оновлений сертифікат</a>. - + Run &Un-Sandboxed Запустити без пісочниці (&U) - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Це не схоже на сертифікат. Будь ласка, введіть весь сертифікат, а не лише його частину. @@ -6063,7 +6118,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Цей сертифікат, на жаль, застарів. - + Thank you for supporting the development of Sandboxie-Plus. Дякуємо за підтримку розробки Sandboxie-Plus. @@ -6072,88 +6127,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Цей сертифікат спонсора не є дійсним. - + Update Available - + Installed - + by %1 - + (info website) - + This Add-on is mandatory and can not be removed. - - + + Select Directory Оберіть каталог - + <a href="check">Check Now</a> - + Please enter the new configuration password. Будь ласка, введіть новий пароль конфігурації. - + Please re-enter the new configuration password. Будь ласка, введіть новий пароль конфігурації ще раз. - + Passwords did not match, please retry. Паролі не збігаються, будь ласка, спробуйте ще раз. - + Process Процес - + Folder Папка - + Please enter a program file name Будь ласка, введіть назву файла програми - + Please enter the template identifier Будь ласка, введіть іденфікатор шаблону - + Error: %1 Помилка: %1 - + Do you really want to delete the selected local template(s)? - + %1 (Current) @@ -6393,34 +6448,34 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. - + Save options as new defaults - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) - + This Sandbox will be saved to: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6428,19 +6483,19 @@ This box's content will be DISCARDED when its closed, and the box will be r - + This box will DISCARD its content when its closed, its suitable only for temporary data. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6448,13 +6503,13 @@ This box will run the MSIServer (*.msi installer service) with a system token, t - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6462,7 +6517,7 @@ Processes in this box will be running with a custom process token indicating the - + Failed to create new box: %1 @@ -7114,33 +7169,68 @@ If you are a great patreaon supporter already, sandboxie can check online for an - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption @@ -7190,108 +7280,109 @@ If you are a great patreaon supporter already, sandboxie can check online for an Індикатор пісочниці в заголовку: - + Sandboxed window border: Грань вікна пісочниці: - + Double click action: - + Separate user folders Розділити папки користувачів - + Box Structure - + Security Options - + Security Hardening - - - - - - + + + + + + + Protect the system from sandboxed processes Захистити систему від процесів у пісочниці - + Elevation restrictions Обмеження рівня прав - + Drop rights from Administrators and Power Users groups Прибрати права в групи Адміністраторів - + px Width px ширини - + Make applications think they are running elevated (allows to run installers safely) Зробити додатки думати, що мають права адміністратора (дозволяє безпечно виконати встановлення деяких програм) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. УВАГА: При запуску з вбудованими правами Адміністратора, процеси не можуть прибрати ці права. - + Appearance Зовнішний вигляд - + (Recommended) (Рекомендовано) - + Show this box in the 'run in box' selection prompt Показати цю пісочницю у вікні 'Запустити в пісочниці' - + File Options Налаштування файла - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Автоматичне видалення змісту, коли пісочниця закривається - + Copy file size limit: Ліміт на розмір копійованого файлу: - + Box Delete options Параметри видалення пісочниці - + Protect this sandbox from deletion or emptying Захистити цю пісочницю від видалення @@ -7300,33 +7391,33 @@ If you are a great patreaon supporter already, sandboxie can check online for an Повний доступ до диску - - + + File Migration Перенесення файлів - + Allow elevated sandboxed applications to read the harddrive Дозволити додаткам у пісочницю читати зміст диску - + Warn when an application opens a harddrive handle Повідомляти, коли додаток має доступ до диску - + kilobytes кілобайт - + Issue message 2102 when a file is too large Повідомлення про проблему 2102, коли файл має дуже великий розмір - + Prompt user for large file migration Питати користувача про переміщення файлів @@ -7335,142 +7426,142 @@ If you are a great patreaon supporter already, sandboxie can check online for an Обмеження доступу - + Allow the print spooler to print to files outside the sandbox Дозволити диспетчеру друку, щоб друкувати файлів ззовні пісочниці - + Remove spooler restriction, printers can be installed outside the sandbox Прибрати диспетчер друку, принтери можуть бути встановлені ззовні пісочниці - + Block read access to the clipboard Заблокувати доступ до буферу обміну - + Open System Protected Storage Відкрити системне захищене сховище - + Block access to the printer spooler Блокувати доступ до диспетчеру друку - + Other restrictions Інші обмеження - + Printing restrictions Обмеження друку - + Network restrictions Обмеження мережі - + Block network files and folders, unless specifically opened. Блокувати файли та папки у мережі, якщо вони не відкриті. - + Run Menu Меню запуску - + You can configure custom entries for the sandbox run menu. Ви можете налаштувати користувальницькі об'єкти для меню запуску пісочниці. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Назва - + Command Line Командний рядок - + Add program Додати програму - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Прибрати - - - - - - - + + + + + + + Type Тип - + Program Groups Група програм - + Add Group Додати групу - - - - - + + + + + Add Program Додати програму @@ -7479,77 +7570,77 @@ If you are a great patreaon supporter already, sandboxie can check online for an Примусові програми - + Force Folder Примусова папка - - - + + + Path Шлях - + Force Program Примусова програма - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Показати шаблони - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Примітка безпеки: додатки, які працюють під наглядом Sandboxie з правами адміністратора або з системним токеном, можуть обійти ізоляцію та модифікувати систему ззовні контейнера. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Дозволити MSIServer для запуску з токеном ізольованої системи та застосовувати інші розширення, якщо це потрібно - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Примітка: Встановникам MSI не потрібні вийнятки. Якщо у вас є проблеми з встановленням MSI та впевнені в безпечності цього встановника, цей параметр може допомогти. Також ви можете вимкнути параметр "Прибрати права адміністратора". - + General Configuration Загальна конфігурація - + Box Type Preset: Тип пісочниці: - + Box info Інформація про контейнер - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. lt;b>Більше типів пісочниць</b> доступно для <u>спонсорів проєкту</u>, пісочниці з посиленим захистом <b><font color='red'>захищає дані користувачів від несанкційного доступу</font></b> програм, які працюють в пісочниці.<br />Якщо ви не спонсор, ви можете <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">підтримати проєкт</a>, щоб отримати <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">сертифікат спонсора</a>.<br />Ви можете перевірити інші типи пісочниць, але через 5 хвилин після запуску пісочниці, всі процеси будуть зупинені. @@ -7563,33 +7654,33 @@ If you are a great patreaon supporter already, sandboxie can check online for an Права адміністратора - + Open Windows Credentials Store (user mode) Відкрити Сховище Windows Credentials (user mode) - + Prevent change to network and firewall parameters (user mode) Заборонити змінювати налаштування мережі та файрволу (user mode) - + Issue message 2111 when a process access is denied Видавати повідомлення 2111, коли доступ до процесу заборонено - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Ви можете створити групу програм та дати назву їй. Назву групи можна використовувати замість назв програм. Групи, які визначені для пісочниці, перезаписуються в групи, які визначені в групи. - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Програми, які є тут, або програми, які виконуються з вказаного місцерозташування, будуть автоматично переміщені в цю пісочницю, якщо вони не були запущені в інших пісочницях. - - + + Stop Behaviour Зупинити поведінки @@ -7614,32 +7705,32 @@ If leader processes are defined, all others are treated as lingering processes.< Якщо лідерські процеси визначені, всі інші стають, як затримані. - + Start Restrictions Обмеження на виконання - + Issue message 1308 when a program fails to start Повідомлення про проблему 1308, коли програма не може виконатись - + Allow only selected programs to start in this sandbox. * Дозволити запускати тільки ці програми в пісочниці. * - + Prevent selected programs from starting in this sandbox. Заборонити запуск цих програм в пісочниці. - + Allow all programs to start in this sandbox. Дозволити виконати всі програми в пісочниці. - + * Note: Programs installed to this sandbox won't be able to start at all. * Примітка: Програми, які встановлені в пісочниці, не зможуть виконатись. @@ -7648,239 +7739,260 @@ If leader processes are defined, all others are treated as lingering processes.< Обмеження Інтернету - + Process Restrictions Обмеження процесів - + Issue message 1307 when a program is denied internet access Повідомлення про проблему 1307, коли програма не має доступ до Інтернету - + Prompt user whether to allow an exemption from the blockade. Зробити підсказку користувачу про дозвіл на звільнення від обмежень. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Примітка: Програми, встановлені в пісочниці, не матимуть доступу до Інтернету. - - - - - - + + + + + + Access Доступ - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty - + Disk/File access - + Encrypt sandbox content - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + Partially checked means prevent box removal but not content deletion. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Store the sandbox content in a Ram Disk - + Set Password Встановити пароль - + Virtualization scheme - + + Allow sandboxed processes to open files protected by EFS + + + + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only - + Issue message 2113/2114/2115 when a file is not fully migrated - + Add Pattern - + Remove Pattern - + Pattern - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. - + Using wildcard patterns file specific behavior can be configured in the list below: - + When a file cannot be migrated, open it in read-only mode instead - - + + Open access to Proxy Configurations + + + + + Move Up Перемістити вгору - - + + Move Down Перемістити вниз - + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Security Isolation Ізоляція безпеки - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. - + Disable Security Isolation Вимкнути ізоляцію безпеки - + Access Isolation - - + + Box Protection - + Protect processes within this box from host processes - + Allow Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Deny Process - + Use a Sandboxie login instead of an anonymous token - + Configure which processes can access Desktop objects like Windows and alike. - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Image Protection - + Issue message 1305 when a program tries to load a sandboxed dll - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox - + Dlls && Extensions - + Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -7888,13 +8000,13 @@ This is done to prevent rogue processes inside the sandbox from creating a renam - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. - + Advanced Security Adcanced Security @@ -7904,351 +8016,357 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Використовувати логін Sandboxie замість анонімного токена (експериментально) - + Other isolation - + Privilege isolation - + Sandboxie token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. - + Program Control Програмний контроль - + Force Programs - + Disable forced Process and Folder for this sandbox - + Breakout Programs - + Breakout Program - + Breakout Folder - + Force protection on mount - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Allow useful Windows processes access to protected processes - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + Only Administrator user accounts can make changes to this sandbox - + Job Object - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Create a new sandboxed token instead of stripping down the original token - + Drop ConHost.exe Process Integrity Level - + Force Children - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + Lingering Programs - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. - + Leader Programs - + If leader processes are defined, all others are treated as lingering processes. - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Files Файли - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + Registry Реєстр - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. - + IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. - + Wnd - + Wnd Class Клас Wnd - + COM - + Class Id - + Configure which processes can access COM objects. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) - + Access Policies Політики доступу - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. - + Network Options Параметри мережі - + Set network/internet access for unlisted processes: Налаштувати доступ до мережі/інтернету для процесів, які не входять до списку: - + Test Rules, Program: Перевірити правила, програми: - + Port: Порт: - + IP: IP: - + Protocol: Протокол: - + X Х - + Add Rule Додати правило - - - - - - - - - - + + + + + + + + + + Program Програма - - - - + + + + Action Дія - - + + Port Порт - - - + + + IP IP - + Protocol Протокол - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. УВАГА: Windows Filtering Platform не увімнений у драйвері, тому ці правила можуть працювати тільки в користувальницькому режимі та можуть бути не застосовані!!! Шкідливі програми можуть це обійти. - + Resource Access Доступ до ресурсів @@ -8265,124 +8383,124 @@ You can use 'Open for All' instead to make it apply to all programs, o Ви можете використовувати 'Відкритий для всіх', щоб застосувати для всіх програм, або змінити цю поведінку у вкладці політик. - + Add File/Folder Додати файл/папку - + Add Wnd Class Додати клас Wnd - + Add IPC Path Додати шлях IPC - + Add Reg Key Додати ключ реєстру - + Add COM Object Додати об'єкт COM - + Bypass IPs - + File Recovery Відновлення файлів - + Quick Recovery - + Add Folder Додати папку - + Immediate Recovery Негайне відновлення - + Ignore Extension Ігнорувати розширення - + Ignore Folder Ігнорувати папку - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Увімкнути термінове відновлення файлів, щоб швидко відновити файли після їх створення. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Ви можете виключити деякі папки та типи файлів (або розширення файлів) з термінового відновлення. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Коли швидке відновлення викликано, ці папки будуть перевірені в пісочниці. - + Advanced Options Додаткові налаштування - + Miscellaneous Різне - + Don't alter window class names created by sandboxed programs Не змінювати ім' класів вікон програм у пісочниці - + Do not start sandboxed services using a system token (recommended) Не запускати служби пісочниці за допомогою системного токену (рекомендовано) - - - - - - - + + + + + + + Protect the sandbox integrity itself Захистити цілісність пісочниці - + Drop critical privileges from processes running with a SYSTEM token Прибрати критичні привілеї у процесів з системним токеном - - + + (Security Critical) (критично для безпеки) - + Protect sandboxed SYSTEM processes from unprivileged processes Захистити системні процеси пісочниці від непривілегільованих процесів @@ -8391,7 +8509,7 @@ You can use 'Open for All' instead to make it apply to all programs, o Ізоляція пісочниці - + Force usage of custom dummy Manifest files (legacy behaviour) Примусове використання користувальницьких файлів маніфесту (застаріле) @@ -8404,34 +8522,34 @@ You can use 'Open for All' instead to make it apply to all programs, o Політика доступу до ресурсів - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. Правило має таку специфікацію, що воно є мірою того, як добре це правило підходить певному шляху, кількості символів тощо. Правило, яке підходить для файлів типу "*.tmp", має велику специфікацію, оскільки більше підходить за місцерозтушуванням. Процес рівня має більший пріорітет, чим специфікація та описує правило для процесу. Правила, які застосовуються до назви процесу або групи має більший рівень, за співпаданням по запереченням (тобто правила застосовуються для всіх процесів, але крім одного), поки найнижчі рівні мають глобальні збіги, тобто ті, які завжди застосовуються для будь-якого процесу. - + Prioritize rules based on their Specificity and Process Match Level Пріорітет правил, які побудовані на основі специфікації та рівня процесу - + Privacy Mode, block file and registry access to all locations except the generic system ones Приватний режим, блокує доступ до файлів та реєстру для всіх шляхів, окрім системних - + Access Mode Режим доступу - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Коли приватний режим увімнений, процеси в пісочниці мають доступ лише до C:\Windows\*, C:\Program Files\* та частинам реєстру HKLM, всі інших потрібен доступ на зчитування/записуванняю. У цьому режимі, специфікація правил увімкнена завжди. - + Rule Policies Політика правил @@ -8440,23 +8558,23 @@ The process match level has a higher priority than the specificity and describes Застсувати правило для закриття...=!<програм>,... та для всі бінарних файлам у пісочниці. - + Apply File and Key Open directives only to binaries located outside the sandbox. Застосувати правила відкриття файлів тільки для бінарних у пісочниці. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Запустити RpcSc в пісочниці, як системний процес (не рекомендовано) - + Allow only privileged processes to access the Service Control Manager Дозволити доступ до Service Control Manager тільки привільованим процесам - - + + Compatibility Сумістність @@ -8465,33 +8583,33 @@ The process match level has a higher priority than the specificity and describes Відкрити доступ до COM-інфраструктури (не рекомендовано) - + Add sandboxed processes to job objects (recommended) Додати процеси у пісочниці до об'єктів завдань (рекомендовано) - + Emulate sandboxed window station for all processes Емулювати віконну станцію для всіх процесів у пісочниці - + Allow use of nested job objects (works on Windows 8 and later) Дозволити використання вкладених об'єктів завдань (працює тільки в Windows 8 та вище) - + Isolation Ізоляція - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Ізоляція безпеки використовує дуже обмежений системний токен, програма Sandboxie використовує це для обмежень пісочниці, коли вона використовує режим для додатків, тобто має лише розділення додатків. - + Allow sandboxed programs to manage Hardware/Devices Дозволити програмам у керувати пристроями комп'ютера @@ -8504,37 +8622,37 @@ The process match level has a higher priority than the specificity and describes Різні розширені функції ізоляції можуть порушити сумісність з деякими програмами. Якщо ви використовуєте цю пісочницю <b>НЕ для безпеки</b>, а для простої переносимості програми, змінюючи ці параметри, ви можете відновити сумісність, пожертвовавши певною мірою безпеки. - + Open access to Windows Security Account Manager Відкрити доступ до Windows Security Account Manager - + Open access to Windows Local Security Authority Відкрити доступ до Windows Local Security Authority - + Security enhancements - + Use the original token only for approved NT system calls - + Restrict driver/device access to only approved ones - + Enable all security enhancements (make security hardened box) - + Allow to read memory of unsandboxed processes (not recommended) Дозволити читати пам'ять процесів без пісочниці (не рекомендується) @@ -8543,27 +8661,27 @@ The process match level has a higher priority than the specificity and describes COM/RPC - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Вимкнути використання RpcMgmtSetComTimeout за замовчуванням (може визивати проблеми з сумісністю) - + Security Isolation & Filtering Ізоляція та фільтрація безпеки - + Disable Security Filtering (not recommended) Вимкнути фільтр захисту (не рекомендовано) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Фільтрація безпеки, що використовується Sandboxie для застосування обмежень доступу до файлової системи та реєстру, а також для обмеження доступу до процесу. - + The below options can be used safely when you don't grant admin rights. Наведені нижче параметри можна безпечно використовувати, якщо ви не надаєте права адміністратора. @@ -8572,41 +8690,41 @@ The process match level has a higher priority than the specificity and describes Ізоляція доступу - + Triggers Тригери - + Event Подія - - - - + + + + Run Command Виконати команду - + Start Service Запустити слубжу - + These events are executed each time a box is started Ці події виконуються щоразу, коли запускається контейнер - + On Box Start При запуску контейнера - - + + These commands are run UNBOXED just before the box content is deleted Ці команди виконуються ПОЗА ПІСОЧНИЦЕЮ безпосередньо перед видаленням вмісту контейнера @@ -8615,17 +8733,17 @@ The process match level has a higher priority than the specificity and describes При видаленні контейнера - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Ці команди виконуються лише після ініціалізації контейнера. Щоб запустити їх знову, вміст контейнера потрібно видалити. - + On Box Init При ініціалізації контейнера - + Here you can specify actions to be executed automatically on various box events. Тут ви можете вказати дії, які будуть виконуватися автоматично для різних подій контейнера. @@ -8634,32 +8752,32 @@ The process match level has a higher priority than the specificity and describes Сховати процеси - + Add Process Додати процес - + Hide host processes from processes running in the sandbox. Сховати процеси хоста від процесів, які виконуються в пісочниці. - + Don't allow sandboxed processes to see processes running in other boxes Не дозволяти ізольованим процесам бачити процеси, що виконуються в інших контейнерах - + Users Користувачі - + Restrict Resource Access monitor to administrators only Обмежити монітор доступу до ресурсів лише адміністраторам - + Add User Додати користувача @@ -8668,7 +8786,7 @@ The process match level has a higher priority than the specificity and describes Видалити користувача - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8677,23 +8795,23 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Примітка: Примусові налаштування програм і примусових папок для пісочниці не застосовуються до облікових записів користувачів, які не можуть використовувати пісочницю. - + Add Option - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. - + Option - + Tracing Відстежування @@ -8703,22 +8821,22 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Відстежування викликів API (потрібен logapi, який повинен бути встановлений у папку sbie) - + Pipe Trace Трасування pipe - + Log all SetError's to Trace log (creates a lot of output) Записувати всі SetError у журналі трасування (створює багато вихідних даних) - + Log Debug Output to the Trace Log Записувати дані відладки до журналу трасування - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8741,127 +8859,127 @@ instead of "*". Трасування системних викликів NTDLL (створює багато даних у виході) - + File Trace Трасування файлів - + Disable Resource Access Monitor Виключити монітор доступу до ресурсів - + IPC Trace Трасування IPC - + GUI Trace Трасування GUI - + Resource Access Monitor Монітор доступу до ресурсів - + Access Tracing Трасування доступу - + COM Class Trace Трасування COM Class - + Key Trace Трасування Key Trace - - + + Network Firewall Мережевий брандмауер - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + Syscall Trace (creates a lot of output) - + Debug Відладка - + WARNING, these options can disable core security guarantees and break sandbox security!!! УВАГА, ці налаштування можуть вимкнути захист ядра та зламати захист пісочниці!!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Ці параметри призначені для налагодження проблем із сумісністю, будь ласка, не використовуйте їх у виробництві. - + App Templates Шаблони для додатків @@ -8870,22 +8988,22 @@ instead of "*". Шаблони сумісності - + Filter Categories Категорії фільтрів - + Text Filter Текстовий фільтр - + Add Template Додати шаблон - + This list contains a large amount of sandbox compatibility enhancing templates Цей список має багату кількість шаблонів сумісності @@ -8894,17 +9012,17 @@ instead of "*". Прибрати - + Category Категорія - + Template Folders Папка з шаблонами - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8913,277 +9031,277 @@ Please note that this values are currently user specific and saved globally for Зауважте, що наразі ці значення є специфічними для користувача та зберігаються глобально для всіх контейнерів. - - + + Value Значення - + Accessibility Доступність - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Щоб компенсувати втрачений захист, зверніться до сторінки налаштувань Скинути права у групі налаштувань Обмежень. - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Читачі екрану: JAWS, NVDA, Window-Eyes, System Access - + Restrictions Обмеження - + Various Options - + Apply ElevateCreateProcess Workaround (legacy behaviour) - + Use desktop object workaround for all processes - + This command will be run before the box content will be deleted - + On File Recovery - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked - + Run File Checker - + On Delete Content - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + Protect processes in this box from being accessed by specified unsandboxed host processes. - - + + Process Процес - + Other Options - + Port Blocking - + Block common SAMBA ports - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Resolve hostnames via proxy - + Block DNS, UDP port 53 - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Total Processes Memory Limit: - + Single Process Memory Limit: - + Restart force process before they begin to execute - + On Box Terminate - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + API call Trace (traces all SBIE hooks) - + DNS Request Logging - + Templates - + Open Template - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Ці налаштування допомагають використовувати Sandboxie з програмний забезпеченням для спеціальних можливостей. Зауважте, що при використанні цих параметрів, деякі функції захисту можуть не діяти. - + Edit ini Section Редагувати розділ ini файлу - + Edit ini Редагувати ini - + Cancel Скасувати - + Save Зберігти @@ -9199,7 +9317,7 @@ Please note that this values are currently user specific and saved globally for ProgramsDelegate - + Group: %1 Група: %1 @@ -9207,7 +9325,7 @@ Please note that this values are currently user specific and saved globally for QObject - + Drive %1 Диск %1 @@ -9215,27 +9333,27 @@ Please note that this values are currently user specific and saved globally for QPlatformTheme - + OK ОК - + Apply Застосувати - + Cancel Відмінити - + &Yes Так (&Y) - + &No Ні (&N) @@ -9248,7 +9366,7 @@ Please note that this values are currently user specific and saved globally for SandboxiePlus - Відновлення - + Close Закрити @@ -9268,27 +9386,27 @@ Please note that this values are currently user specific and saved globally for Видалити зміст - + Recover Відновити - + Refresh Оновити - + Delete Видалити - + Show All Files Показати всі файли - + TextLabel Текстова етикетка @@ -9354,18 +9472,18 @@ Please note that this values are currently user specific and saved globally for Загальні налаштування - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Показувати відновлення, коли - + Open urls from this ui sandboxed Відкривати URL-адреси з цього інтерфейсу із програмним середовищем - + Systray options Налаштування Systray @@ -9375,27 +9493,27 @@ Please note that this values are currently user specific and saved globally for Мова UI: - + Shell Integration Інтеграція в оболонці - + Run Sandboxed - Actions Виконати в пісочниці - Дії - + Start Sandbox Manager Запустити Sandbox Manager - + Start UI when a sandboxed process is started Запускати UI, коли процес пісочниці вже працює - + On main window close: Коли головне вікно буде закрите: @@ -9404,72 +9522,72 @@ Please note that this values are currently user specific and saved globally for Показувати сповіщення для відповідних повідомлень журналу - + Start UI with Windows Запускати UI з Windows - + Add 'Run Sandboxed' to the explorer context menu Додати 'Виконати в пісочниці' до меню Провіднику - + Run box operations asynchronously whenever possible (like content deletion) Виконувати операції з ящиками асинхронно, коли це можливо (наприклад, видалення вмісту) - + Hotkey for terminating all boxed processes: Гаряча клавіша для зупинки всіх процесів у пісочниці: - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - + Show boxes in tray list: Показати поля в списку трею: - + Always use DefaultBox Завжди використовувати DefaultBox - + Add 'Run Un-Sandboxed' to the context menu Додати до контекстного меню 'Запуск без пісочниці' - + Show a tray notification when automatic box operations are started Показувати сповіщення в треї, коли запускаються автоматичні операції з контейнерами - + Advanced Config Розширена конфігурація - + Activate Kernel Mode Object Filtering Активувати фільтрацію об’єктів режиму ядра - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: <a href="sbie://docs/filerootpath">Корінь файлової системи</a> пісочниці: - + Clear password when main window becomes hidden Очистити пароль, коли основне вікно сховане @@ -9478,22 +9596,22 @@ Please note that this values are currently user specific and saved globally for Розділити папки користувачів - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: <a href="sbie://docs/filerootpath">Корінь ipc</a> пісочниці: - + Sandbox default Пісочниця за замовчуванням - + Config protection Захист конфігурації - + ... ... @@ -9503,407 +9621,407 @@ Please note that this values are currently user specific and saved globally for - + Notifications - + Add Entry - + Show file migration progress when copying large files into a sandbox - + Message ID - + Message Text (optional) - + SBIE Messages - + Delete Entry - + Notification Options - + Windows Shell - + Move Up Перемістити вгору - + Move Down Перемістити вниз - + Show overlay icons for boxes and processes - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list - - + + Interface Options Display Options Параметри інтерфейсу - + Ini Editor Font - + Graphic Options - + Select font - + Reset font - + Ini Options - + # - + Terminate all boxed processes when Sandman exits - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + External Ini Editor - + Add-Ons Manager - + Optional Add-Ons - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - + Status - + Version - + Description - + <a href="sbie://addons">update add-on list now</a> - + Install - + Add-On Configuration - + Enable Ram Disk creation - + kilobytes кілобайт - + Assign drive letter to Ram Disk - + Disk Image Support - + RAM Limit - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Hotkey for bringing sandman to the top: - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Integrate with Host Desktop - + System Tray - + Open/Close from/to tray with a single click - + Minimize to tray - + Hide SandMan windows from screen capture (UI restart required) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + Sandboxie Support - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) - + Get - + Retrieve/Upgrade/Renew certificate using Serial Number - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. - + SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + Update Settings - + New full installers from the selected release channel. - + Full Upgrades - + Update Check Interval - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: <a href="sbie://docs/keyrootpath">Корінь реєстру</a> пісочниці: - + Sandboxing features Особливості пісочниці - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + Sandboxie.ini Presets - + Change Password Змінити пароль - + Password must be entered in order to make changes Для внесення змін необхідно ввести пароль - + Only Administrator user accounts can make changes Лише облікові записи адміністраторів можуть вносити зміни - + Watch Sandboxie.ini for changes Показати Sandboxie.ini для змін - + USB Drive Sandboxing - + Volume - + Information - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + App Templates Шаблони для додатків - + App Compatibility - + Only Administrator user accounts can use Pause Forcing Programs command Лише облікові записи адміністраторів можуть використовувати команду Призупинити примусові програми - + Portable root folder Корнева папка для портативної версії - + Show recoverable files as notifications Показати файли, які можна відновити, як сповіщення @@ -9913,104 +10031,104 @@ Please note that this values are currently user specific and saved globally for Загальні налаштування - + Show Icon in Systray: Показати піктограму в Systray: - + Use Windows Filtering Platform to restrict network access Використовувати Windows Filtering Platform для обмеження доступу до мережі - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Перехоплювати обрані системні Win32k виклики, щоб увімкнути прискорення GPU (experimental) - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Підрахувати та відобразити дисковий простір, зайнятий кожною пісочницею - + Use Compact Box List Використовувати компактний список пісочниць - + Interface Config Конфігурація інтерфейсу - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Показати фон "Піца" у списку полів* - + Make Box Icons match the Border Color Зробити так, щоб значки пісочниць відповідали кольору грані - + Use a Page Tree in the Box Options instead of Nested Tabs * Використовувати дерево сторінок у параметрах вікна замість вкладених вкладок * - + Use large icons in box list * Використовувати великі піктограми в списку * - + High DPI Scaling Високе масштабування DPI - + Don't show icons in menus * Не показувати піктограми в меню * - + Use Dark Theme Використовувати темну тему - + Font Scaling Масштабування шрифту - + (Restart required) (Потрібен перезапуск) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * частково встановлений прапорець залишить поведінку, що визначається режимом перегляду. - + Show the Recovery Window as Always on Top - + % - + Alternate row background in lists - + Use Fusion Theme @@ -10019,200 +10137,210 @@ Please note that this values are currently user specific and saved globally for Використовувати логін Sandboxie замість анонімного токена (експериментально) - + Program Control Програмний контроль - - - - - + + + + + Name Ім'я - + Path Шлях - + Remove Program Прибрати програму - + Add Program Додати програму - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Коли будь-яка з нижченаведених програм будуть відкриті не в контейнері, Sandboxie повідомить про SBIE1301. - + Add Folder Додати папку - + Prevent the listed programs from starting on this system Заборонити запуск перелічених програм у цій системі - + Issue message 1308 when a program fails to start Повідомлення про помилку 1308, коли програма не запуститись - + Recovery Options - + Start Menu Integration - + Scan shell folders and offer links in run menu - + Integrate with Host Start Menu - + Use new config dialog layout * - + HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + Sandboxie Updater - + Keep add-on list up to date - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. - + Search in the Insider channel - + Check periodically for new Sandboxie-Plus versions - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> - + Keep Troubleshooting scripts up to date - + Use a Sandboxie login instead of an anonymous token - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Always run SandMan UI as Admin - + Program Alerts Програмні сповіщення - + Issue message 1301 when forced processes has been disabled - + Sandboxie Config Config Protection Захист конфігурації - + This option also enables asynchronous operation when needed and suspends updates. - + Suppress pop-up notifications when in game / presentation mode - + User Interface - + Run Menu Меню запуску - + Add program Додати програму - + You can configure custom entries for all sandboxes run menus. - - - + + + Remove Прибрати - + Command Line Командний рядок - + Support && Updates - + Default sandbox: @@ -10221,67 +10349,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, Сумістність - + In the future, don't check software compatibility Більше не перевіряти сумісність - + Enable Увімкнути - + Disable Вимкнути - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie помітив, що наступне програмне забезпечення встановлено в системі. Натисніть OK, щоб застосувати налаштування конфігурації, які покращать сумісність з цими додатками. Ці налаштування конфігурації будуть застосовані для всіх існуючих пісочниць та в будь-яких нових пісочницях. - + Local Templates - + Add Template Додати шаблон - + Text Filter Текстовий фільтр - + This list contains user created custom templates for sandbox options - + Open Template - + Edit ini Section Редагувати розділ ini файлу - + Save Зберігти - + Edit ini Редагувати ini - + Cancel Скасувати @@ -10290,13 +10418,13 @@ Unlike the preview channel, it does not include untested, potentially breaking, Підтримка - + Incremental Updates Version Updates - + Hotpatches for the installed version, updates to the Templates.ini and translations. @@ -10305,22 +10433,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Термін дії цього сертифіката спонсора закінчився, будь ласка, <a href="sbie://update/cert">отримайте оновлений сертифікат</a>. - + The preview channel contains the latest GitHub pre-releases. - + The stable channel contains the latest stable GitHub releases. - + Search in the Stable channel - + Search in the Preview channel @@ -10333,12 +10461,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Підтримка Sandboxie актувльним до нових версий Windows та суміснісним до всіх веб-браузерів - нескінченні зусулля. Підтримайте цю працю за допомогою пожертуванням.<br />Ви можете підтримати розробку за допомогою <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal</a>, також працює з кредитними картками.<br />Або ви можете підтримати проєкт за допомогою <a href="https://sandboxie-plus.com/go.php?to=patreon">передплати на Patreon</a>. - + In the future, don't notify about certificate expiration Надалі не повідомляйте про закінчення терміну дії сертифіката - + Enter the support certificate here Введіть сертифікат спонсора @@ -10377,37 +10505,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, Ім'я: - + Description: Опис: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. При видаленні вмісту знімка він повертається до цього знімка замість жодного. - + Default snapshot Знімок за замовчуванням - + Snapshot Actions Дії зі знімком - + Remove Snapshot Видалити знімок - + Go to Snapshot Перейти до знімку - + Take Snapshot Зробити знімок diff --git a/SandboxiePlus/SandMan/sandman_vi.ts b/SandboxiePlus/SandMan/sandman_vi.ts index bd3fa5a9..185efb87 100644 --- a/SandboxiePlus/SandMan/sandman_vi.ts +++ b/SandboxiePlus/SandMan/sandman_vi.ts @@ -9,53 +9,53 @@ - + kilobytes kilobytes - + Protect Box Root from access by unsandboxed processes - - + + TextLabel TextLabel - + Show Password - + Enter Password - + New Password - + Repeat Password - + Disk Image Size - + Encryption Cipher - + Lock the box when all processes stop. @@ -63,71 +63,71 @@ CAddonManager - + Do you want to download and install %1? - + Installing: %1 - + Add-on not found, please try updating the add-on list in the global settings! - + Add-on Not Found - + Add-on is not available for this platform Addon is not available for this paltform - + Missing installation instructions Missing instalation instructions - + Executing add-on setup failed - + Failed to delete a file during add-on removal - + Updater failed to perform add-on operation Updater failed to perform plugin operation - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 - + Do you want to remove %1? - + Removing: %1 - + Add-on not found! @@ -135,12 +135,12 @@ CAdvancedPage - + Advanced Sandbox options Tùy chọn Sandbox - + On this page advanced sandbox options can be configured. @@ -149,34 +149,34 @@ Bỏ quyền khỏi nhóm Quản trị viên và Người dùng quyền lực - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. This feature may reduce compatybility as it also prevents box located processes from writing to host located once and even starting them. - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - + Shared Template - + Shared template mode - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -184,52 +184,62 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. - + Remove defaults if set - + + Shared template selection + + + + + This option specifies the template to be used in shared template mode. (%1) + + + + Disabled Vô hiệu hóa - + Advanced Options Tùy chọn nâng cao - + Prevent sandboxed windows from being captured - + Use as a template - + Append to the configuration @@ -347,31 +357,31 @@ To disable this template for a sandbox, simply uncheck it in the template list.< - + kilobytes (%1) kilobytes (%1) - + Passwords don't match!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. @@ -387,22 +397,22 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. Sandbox cát cô lập hệ thống máy chủ của bạn khỏi các quy trình đang chạy trong Sandbox, nó ngăn chúng thực hiện các thay đổi vĩnh viễn đối với các chương trình và dữ liệu khác trong máy tính của bạn. Mức độ cô lập ảnh hưởng đến bảo mật của bạn cũng như khả năng tương thích với các ứng dụng, do đó sẽ có mức độ cô lập khác nhau tùy thuộc vào Loại Sandbox được chọn. Sandboxie cũng có thể bảo vệ dữ liệu cá nhân của bạn khỏi bị truy cập bởi các quy trình đang chạy dưới sự giám sát của nó. - + Enter box name: @@ -411,136 +421,136 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a Sandbox mới - + Select box type: Sellect box type: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. - + Standard Sandbox - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - + Hardened Sandbox with Data Protection - + Security Hardened Sandbox Hardened Sandbox Bảo Mật - + Sandbox with Data Protection - + Standard Isolation Sandbox (Default) - + Application Compartment with Data Protection Ngăn Ứng dụng với Bảo vệ Dữ liệu - + Application Compartment Box - + Confidential Encrypted Box - + Remove after use - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. - + Configure advanced options - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? @@ -827,37 +837,65 @@ You can click Finish to close this wizard. Sandboxie-Plus - Sandbox Export - - - Store - - - - - Fastest - - - Fast + 7-Zip - Normal - - - - - Maximum + Zip + Store + + + + + Fastest + + + + + Fast + + + + + Normal + + + + + Maximum + + + + Ultra + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + + + + + Select Directory + + + + + This name is already in use, please select an alternative box name + + + CFileBrowserWindow @@ -907,13 +945,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -921,64 +959,64 @@ You can use %USER% to save each users sandbox to an own fodler. - + Sandboxed Files - + Select Directory - + Virtualization scheme - + Version 1 - + Version 2 - + Separate user folders Tách các thư mục người dùng - + Use volume serial numbers for drives - + Auto delete content when last process terminates - + Enable Immediate Recovery of files from recovery locations - + The selected box location is not a valid path. The sellected box location is not a valid path. - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. @@ -1114,83 +1152,83 @@ You can use %USER% to save each users sandbox to an own fodler. CIsolationPage - + Sandbox Isolation options - + On this page sandbox isolation options can be configured. - + Network Access - + Allow network/internet access - + Block network/internet by denying access to Network devices - + Block network/internet using Windows Filtering Platform - + Allow access to network files and folders - - + + This option is not recommended for Hardened boxes - + Prompt user whether to allow an exemption from the blockade - + Admin Options - + Drop rights from Administrators and Power Users groups Bỏ quyền khỏi nhóm Quản trị viên và Người dùng quyền lực - + Make applications think they are running elevated - + Allow MSIServer to run with a sandboxed system token - + Box Options Tùy chọn Sandbox - + Use a Sandboxie login instead of an anonymous token - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Sử dụng Mã thông báo Sandbox tùy chỉnh cho phép cô lập các Sandbox riêng lẻ với nhau tốt hơn và nó hiển thị trong cột người dùng của người quản lý tác vụ tên của Sandbox mà một quy trình thuộc về. Tuy nhiên, một số giải pháp bảo mật của bên thứ 3 có thể gặp sự cố với mã thông báo tùy chỉnh. @@ -1296,24 +1334,25 @@ You can use %USER% to save each users sandbox to an own fodler. - + Add your settings after this line. - + + Shared Template - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. - + Don't show this message again. Không hiển thị lại thông báo này. @@ -1329,138 +1368,138 @@ You can use %USER% to save each users sandbox to an own fodler. COnlineUpdater - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? - + Do you want to check if there is a new version of Sandboxie-Plus? Bạn có muốn kiểm tra xem có phiên bản Sandboxie-Plus mới không? - + Don't show this message again. Không hiển thị lại thông báo này. - + Checking for updates... Kiểm tra cập nhập... - + server not reachable Không thể kết nối với máy chủ - - + + Failed to check for updates, error: %1 Lỗi kiểm tra cập nhập, chi tiết: %1 - + <p>Do you want to download the installer?</p> - + <p>Do you want to download the updates?</p> - + Don't show this update anymore. - + Downloading updates... - + invalid parameter - + failed to download updated information failed to download update informations - + failed to load updated json file failed to load update json file - + failed to download a particular file - + failed to scan existing installation - + updated signature is invalid !!! update signature is invalid !!! - + downloaded file is corrupted - + internal error - + unknown error - + Failed to download updates from server, error %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> - + Downloading installer... - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>Bạn có muốn truy cập <a href="%1">trang thông tin ứng dụng</a>?</p> - + Don't show this announcement in the future. Không hiện thông báo này trong tương lai. - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Đã tìm thấy bản cập nhập mới của Sandboxie-Plus.<br /><font color='red'><b>Phiên bản mới:</b></font> <b>%1</b></p> @@ -1469,7 +1508,7 @@ Do you still want to update? <p>Bạn có muốn tải phiên bản mới nhất?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>Bạn có muốn truy cập <a href="%1">trang tải ứng dụng</a>?</p> @@ -1478,7 +1517,7 @@ Do you still want to update? Không hiện thông báo này nữa. - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1514,9 +1553,9 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h COptionsWindow - - + + Browse for File Duyệt tìm tệp @@ -1660,21 +1699,21 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h - - + + Select Directory Chọn Thư Mục - + - - - - + + + + @@ -1684,12 +1723,12 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h Tất cả Chương Trình - - + + - - + + @@ -1723,8 +1762,8 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h - - + + @@ -1737,150 +1776,150 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h Giá trị mẫu không thể bị xóa. - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. Cho phép sử dụng các hook win32 cho các quy trình đã chọn. Lưu ý: Trước tiên, bạn cần bật hỗ trợ hook syscall win32k cho toàn bộ. - + Enable crash dump creation in the sandbox folder Bật tính năng tạo trích xuất sự cố trong thư mục Sandbox - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. Luôn sử dụng sửa lỗi ElevateCreateProcess, như đôi khi được áp dụng bởi Trợ lý tương thích chương trình. - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes Bật hành vi PreferExternalManifest không nhất quán đặc biệt, nếu cần đối với một số bản sửa lỗi của Edge - + Set RpcMgmtSetComTimeout usage for specific processes Đặt RpcMgmtSetComTimeout sử dụng cho các tiến trình cụ thể - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Thực hiện lệnh mở ghi vào tệp sẽ không được sao chép thay vì chuyển tệp ở chế độ chỉ đọc. - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. Làm cho các tiến trình được chỉ định nghĩ rằng chúng có quyền quản trị. - + Force specified processes to wait for a debugger to attach. Buộc các quá trình đã chỉ định phải đợi một trình gỡ lỗi đính kèm. - + Sandbox file system root Hệ thống tệp gốc của Sandbox - + Sandbox registry root Registry gốc của Sandbox - + Sandbox ipc root Gốc IPC của Sandbox - - + + bytes (unlimited) - - + + bytes (%1) - + unlimited - + Add special option: Thêm các tuỳ chọn đặc biệt: - - + + On Start Lúc khởi động - - - - - + + + + + Run Command Lệnh Chạy - + Start Service Khởi động Dịch vụ - + On Init Lúc Bắt Đầu - + On File Recovery Lúc Khôi Phục Tệp - + On Delete Content Lúc Xoá Dữ Liệu - + On Terminate - - - - - + + + + + Please enter the command line to be executed Vui lòng nhập dòng lệnh sẽ được thực hiện - + Please enter a program file name to allow access to this sandbox - + Please enter a program file name to deny access to this sandbox - + Failed to retrieve firmware table information. - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. @@ -1889,48 +1928,74 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h Vui lòng nhập tên tệp chương trình - + Deny Từ Chối - + %1 (%2) %1 (%2) - - + + Process Các Tiến Trình - - + + Folder Thư Mục - + Children - - - + + Document + + + + + + Select Executable File Chọn Tệp Thực Thi (*.exe) - - - + + + Executable Files (*.exe) Các Tệp Thực Thi (*.exe) - + + Select Document Directory + + + + + Please enter Document File Extension. + + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + + + + + For security reasons the specified extension %1 should not be broken out. + + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? @@ -2015,156 +2080,156 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h Ngăn ứng dụng - + Custom icon - + Version 1 - + Version 2 - + Browse for Program Duyệt chương trình - + Open Box Options Mở tùy chọn Sandbox - + Browse Content Duyệt nội dung - + Start File Recovery Bắt đầu khôi phục tệp - + Show Run Dialog Hiển thị Hộp thoại Chạy - + Indeterminate - + Backup Image Header - + Restore Image Header - + Change Password Đổi mật khẩu - - + + Always copy - - + + Don't copy - - + + Copy empty - + kilobytes (%1) kilobytes (%1) - + Select color Chọn màu - + Select Program Chọn chương trình - + The image file does not exist - + The password is wrong - + Unexpected error: %1 - + Image Password Changed - + Backup Image Header for %1 - + Image Header Backuped - + Restore Image Header for %1 - + Image Header Restored - + Please enter a service identifier Vui lòng nhập số nhận dạng dịch vụ - + Executables (*.exe *.cmd) Tệp thực thi (*.exe *.cmd) - - + + Please enter a menu title Vui lòng nhập tiêu đề menu - + Please enter a command Vui lòng nhập một lệnh @@ -2243,7 +2308,7 @@ Ghi chú: Việc kiểm tra bản cập nhật thường nằm sau bản phát h - + Allow @@ -2370,62 +2435,62 @@ Please select a folder which contains this file. Bạn có thực sự muốn xóa mẫu cục bộ đã chọn không? - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' Tùy chọn - + File Options Tùy chọn tệp - + Grouping Phân nhóm - + Add %1 Template - + Search for options Tìm kiếm các tùy chọn - + Box: %1 Hộp: %1 - + Template: %1 Mẫu: %1 - + Global: %1 Toàn bộ: %1 - + Default: %1 Mặc định: %1 - + This sandbox has been deleted hence configuration can not be saved. Sandbox này đã bị xóa do đó không thể lưu cấu hình. - + Some changes haven't been saved yet, do you really want to close this options window? Một số thay đổi vẫn chưa được lưu, bạn có thực sự muốn đóng cửa sổ tùy chọn này không? - + Enter program: Nhập chương trình: @@ -2476,12 +2541,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss Bỏ qua - + Remove this progress indicator from the list Xóa chỉ báo tiến độ này khỏi danh sách @@ -2489,42 +2554,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process Hãy nhớ cho quá trình này - + Yes - + No Không - + Terminate Chấm dứt - + Yes and add to allowed programs Có và thêm vào các chương trình được phép - + Requesting process terminated Quá trình yêu cầu đã chấm dứt - + Request will time out in %1 sec Yêu cầu sẽ hết thời gian sau %1 giây - + Request timed out Yêu cầu đã hết thời gian chờ @@ -2532,67 +2597,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: Khôi phục tới: - + Browse Duyệt qua - + Clear folder list Xóa danh sách thư mục - + Recover Khôi phục - + Recover the file to original location Khôi phục tệp về vị trí ban đầu - + Recover && Explore Khôi phục && Explore - + Recover && Open/Run Khôi phục && Open/Run - + Open file recovery for this box Mở khôi phục tệp cho hộp này - + Dismiss Bỏ qua - + Don't recover this file right now Không khôi phục tệp này ngay bây giờ - + Dismiss all from this box Loại bỏ tất cả khỏi hộp này - + Disable quick recovery until the box restarts Tắt khôi phục nhanh cho đến khi hộp khởi động lại - + Select Directory Chọn thư mục @@ -2728,37 +2793,42 @@ Full path: %4 - + Select Directory Chọn thư mục - + + No Files selected! + + + + Do you really want to delete %1 selected files? Bạn có thực sự muốn xóa %1 các tập tin đã chọn? - + Close until all programs stop in this box Đóng cho đến khi tất cả các chương trình dừng lại trong Sandbox này - + Close and Disable Immediate Recovery for this box Đóng và vô hiệu hóa khôi phục ngay lập tức cho Sandbox này - + There are %1 new files available to recover. Có %1 tệp mới có sẵn để khôi phục. - + Recovering File(s)... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. Có %1 tập tin và %2 thư mục trong Sandbox, chiếm giữ %3 dung lượng đĩa. @@ -2914,22 +2984,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 Đang đợi thư mục: %1 - + Deleting folder: %1 Xóa thư mục: %1 - + Merging folders: %1 &gt;&gt; %2 Hợp nhất các thư mục: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... Kết thúc Hợp nhất Bản Ghi chụp nhanh... @@ -2937,37 +3007,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled Vô hiệu hóa - + OPEN Root Access MỞ Quyền truy cập gốc - + Application Compartment Ngăn ứng dụng - + NOT SECURE KHÔNG AN TOÀN - + Reduced Isolation Giảm cô lập - + Enhanced Isolation Cô lập nâng cao - + Privacy Enhanced Tăng cường quyền riêng tư @@ -2976,32 +3046,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, Nhật ký API - + No INet (with Exceptions) - + No INet Không INet - + Net Share Chia sẻ Net - + No Admin Không Admin - + Auto Delete - + Normal Bình thường @@ -3015,22 +3085,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie-Plus v%1 - + Reset Columns Đặt lại cột - + Copy Cell Sao chép ô - + Copy Row Sao chép hàng - + Copy Panel Sao chép bảng điều khiển @@ -3306,7 +3376,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus Về Sandboxie-Plus @@ -3381,9 +3451,9 @@ Bạn có muốn dọn dẹp không? - - - + + + Don't show this message again. Không hiển thị lại thông báo này. @@ -3470,19 +3540,19 @@ Sandbox này ngăn quyền truy cập vào tất cả các vị trí dữ liệu Cấu hình hiện tại: %1 - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - Lỗi - + Failed to stop all Sandboxie components Không dừng được tất cả các thành phần Sandboxie - + Failed to start required Sandboxie components Không thể khởi động các thành phần Sandboxie bắt buộc @@ -3591,7 +3661,7 @@ Please check if there is an update for sandboxie. %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> Bộ tính năng đã chọn chỉ có sẵn cho những người ủng hộ dự án. Các quá trình bắt đầu trong một Sandbox có bật bộ tính năng này mà không có chứng chỉ hỗ trợ sẽ bị chấm dứt sau 5 phút.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Trở thành người hỗ trợ dự án</a>, và nhận được một <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">giấy chứng nhận người ủng hộ</a> @@ -3647,22 +3717,22 @@ Please check if there is an update for sandboxie. - + Only Administrators can change the config. Chỉ Quản trị viên mới có thể thay đổi cấu hình. - + Please enter the configuration password. Vui lòng nhập mật khẩu cấu hình. - + Login Failed: %1 Đăng nhập thất bại: %1 - + Do you want to terminate all processes in all sandboxes? Bạn có muốn chấm dứt tất cả các quy trình trong tất cả các hộp cát không? @@ -3671,107 +3741,107 @@ Please check if there is an update for sandboxie. Chấm dứt tất cả mà không cần hỏi - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus đã được khởi động ở chế độ Portable và nó cần tạo ra các dịch vụ cần thiết. Điều này sẽ nhắc nhở các đặc quyền quản trị. - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. THẬN TRỌNG: Một tác nhân khác (có thể là SbieCtrl.exe) đã quản lý phiên Sandboxie này, vui lòng đóng nó trước và kết nối lại để tiếp quản. - + Executing maintenance operation, please wait... Đang thực hiện hoạt động bảo trì, vui lòng đợi... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? Bạn cũng muốn đặt lại các hộp thông báo ẩn (có), hay chỉ tất cả các thông báo nhật ký (không)? - + The changes will be applied automatically whenever the file gets saved. Các thay đổi sẽ được áp dụng tự động bất cứ khi nào tệp được lưu. - + The changes will be applied automatically as soon as the editor is closed. Các thay đổi sẽ được áp dụng tự động ngay khi đóng trình chỉnh sửa. - + Error Status: 0x%1 (%2) Tình trạng lỗi: 0x%1 (%2) - + Unknown Không xác định - + A sandbox must be emptied before it can be deleted. Sandbox phải được làm trống trước khi có thể bị xóa. - + Failed to copy box data files Không sao chép được tệp dữ liệu từ Sandbox - + Failed to remove old box data files Không xóa được các tệp dữ liệu Sandbox cũ - + Unknown Error Status: 0x%1 Trạng thái lỗi không xác định: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - + Sandboxed - + Unsandboxed - + Case Sensitive - + RegExp - + Highlight - + Close Đóng - + &Find ... - + All columns @@ -3793,7 +3863,7 @@ Please check if there is an update for sandboxie. Sandboxie-Plus là phần tiếp theo mã nguồn mở của Sandboxie.<br />Ghé thăm <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> để biết thêm thông tin.<br /><br />%3<br /><br />Phiên bản trình điều khiển: %1<br />Đặc trưng: %2<br /><br />Biểu tượng từ <a href="https://icons8.com">icons8.com</a> - + Administrator rights are required for this operation. Quyền quản trị viên được yêu cầu cho hoạt động này. @@ -3999,27 +4069,27 @@ Please check if there is an update for sandboxie. - CHỈ sử dụng cho mục đích phi thương mại - - + + (%1) (%1) - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. Chương trình %1 bắt đầu trong Sandbox %2 sẽ kết thúc sau 5 phút vì Sandbox đã được định cấu hình để sử dụng các tính năng dành riêng cho những người ủng hộ dự án. - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. Sandbox %1 được định cấu hình để sử dụng các tính năng dành riêng cho những người ủng hộ dự án, các giá trị đặt trước này sẽ bị bỏ qua. - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert"> Trở thành người hỗ trợ dự án</a>, và nhận được một <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">giấy chứng nhận người ủng hộ</a> @@ -4100,126 +4170,126 @@ Please check if there is an update for sandboxie. - + Failed to configure hotkey %1, error: %2 - + The box %1 is configured to use features exclusively available to project supporters. - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. - + The selected feature requires an <b>advanced</b> supporter certificate. - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! - + The Certificate Signature is invalid! - + The Certificate is not suitable for this product. - + The Certificate is node locked. - + The support certificate is not valid. Error: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! Thời hạn đánh giá đã hết!!! - - + + Don't ask in future Không hỏi trong tương lai - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - + Please enter the duration, in seconds, for disabling Forced Programs rules. Vui lòng nhập thời lượng, tính bằng giây, để tắt các quy tắc Chương trình bắt buộc. - + No Recovery Không có phục hồi - + No Messages Không có tin nhắn - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. - + Maintenance operation failed (%1) Hoạt động bảo trì không thành công (%1) - + Maintenance operation completed Hoạt động bảo trì đã hoàn thành - + In the Plus UI, this functionality has been integrated into the main sandbox list view. Trong giao diện người dùng Plus, chức năng này đã được tích hợp vào chế độ xem danh sách Sandbox chính. - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. Sử dụng menu ngữ cảnh Sandbox/nhóm, bạn có thể di chuyển các Sandbox và nhóm sang các nhóm khác. Bạn cũng có thể sử dụng kéo và thả để di chuyển các mục xung quanh. Ngoài ra, bạn cũng có thể sử dụng các phím mũi tên trong khi giữ ALT để di chuyển các mục lên và xuống trong nhóm của chúng.<br />Bạn có thể tạo các Sandbox và nhóm mới từ menu Sandbox. - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4227,219 +4297,219 @@ This file is part of Sandboxie and all changed done to it will be reverted next - + Sandboxie config has been reloaded Cấu hình Sandboxie đã được tải lại - + Failed to execute: %1 Không thực hiện được: %1 - + Failed to connect to the driver Không kết nối được với trình điều khiển - + Failed to communicate with Sandboxie Service: %1 Không kết nối được với Dịch vụ Sandboxie: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 Không tương thích Sandboxie %1 đã được tìm thấy. Các phiên bản tương thích: %2 - + Can't find Sandboxie installation path. Không thể tìm thấy đường dẫn cài đặt Sandboxie. - + Failed to copy configuration from sandbox %1: %2 Không sao chép được cấu hình từ Sandbox %1: %2 - + A sandbox of the name %1 already exists Sandbox tên %1 đã tồn tại - + Failed to delete sandbox %1: %2 Không xóa được Sandbox %1: %2 - + The sandbox name can not be longer than 32 characters. Tên Sandbox không được dài hơn 32 ký tự. - + The sandbox name can not be a device name. Tên Sandbox không được là tên thiết bị. - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. Tên Sandbox chỉ có thể chứa các chữ cái, chữ số và dấu gạch dưới được hiển thị dưới dạng dấu cách. - + Failed to terminate all processes Không thể chấm dứt tất cả các tiến trình - + Delete protection is enabled for the sandbox Xóa bảo vệ được bật cho Sandbox - + All sandbox processes must be stopped before the box content can be deleted Tất cả các quá trình Sandbox phải được dừng lại trước khi có thể xóa nội dung Sandbox - + Error deleting sandbox folder: %1 Lỗi khi xóa thư mục Sandbox: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. - + Failed to move directory '%1' to '%2' Không di chuyển được thư mục '%1' to '%2' - + Failed to move box image '%1' to '%2' - + This Snapshot operation can not be performed while processes are still running in the box. Không thể thực hiện thao tác Bản ghi nhanh này trong khi các quy trình vẫn đang chạy trong Sandbox. - + Failed to create directory for new snapshot Không tạo được thư mục cho Bản ghi nhanh mới - + Snapshot not found Bản ghi nhanh không tìm thấy - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. Lỗi khi hợp nhất các thư mục bản ghi nhanh '%1' với '%2', bản ghi nhanh chưa được hợp nhất hoàn toàn. - + Failed to remove old snapshot directory '%1' Không xóa được thư mục bản ghi nhanh cũ '%1' - + Can't remove a snapshot that is shared by multiple later snapshots Không thể xóa bản ghi nhanh được nhiều bản ghi nhanh sau này chia sẻ - + You are not authorized to update configuration in section '%1' Bạn không được phép cập nhật cấu hình trong phần '%1' - + Failed to set configuration setting %1 in section %2: %3 Không đặt được cài đặt cấu hình %1 trong phần %2: %3 - + Can not create snapshot of an empty sandbox Không thể tạo ảnh chụp nhanh của một Sandbox trống - + A sandbox with that name already exists Một Sandbox có tên đó đã tồn tại - + The config password must not be longer than 64 characters Mật khẩu cấu hình không được dài hơn 64 ký tự - + The operation was canceled by the user Thao tác đã bị người dùng hủy bỏ - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded - + Failed to create the box archive - + Failed to open the 7z archive - + Failed to unpack the box archive - + The selected 7z file is NOT a box archive - + Operation failed for %1 item(s). Thao tác không thành công cho %1 mục. - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - + Sandboxie-Plus is free for personal and non-commercial use. - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> @@ -4448,28 +4518,28 @@ This file is part of Sandboxie and all changed done to it will be reverted next Bạn muốn mở %1 trong trình duyệt Web có Sandbox (có) hay không có Sandbox (không)? - + Remember choice for later. Hãy nhớ lựa chọn cho sau này. - + The supporter certificate is not valid for this build, please get an updated certificate Chứng chỉ hỗ trợ không hợp lệ cho bản dựng này, vui lòng nhận chứng chỉ cập nhật - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate Chứng chỉ người hỗ trợ đã hết hạn %1, vui lòng nhận chứng chỉ cập nhật - + , but it remains valid for the current build , nhưng nó vẫn có giá trị cho bản dựng hiện tại - + The supporter certificate will expire in %1 days, please get an updated certificate Chứng chỉ người hỗ trợ sẽ hết hạn sau %1 ngày, xin vui lòng nhận được một chứng chỉ cập nhật @@ -4747,38 +4817,38 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieTemplatesEx - + Failed to initialize COM - + Failed to create update session - + Failed to create update searcher - + Failed to set search options - + Failed to enumerate installed Windows updates Failed to search for updates - + Failed to retrieve update list from search result - + Failed to get update count @@ -4786,272 +4856,272 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieView - - + + Create New Box Tạo Sandbox mới - + Remove Group Xóa nhóm - - + + Run Chạy - + Run Program Chạy chương trình - + Run from Start Menu Chạy từ Start Menu - + Default Web Browser Trình duyệt web mặc định - + Default eMail Client Ứng dụng eMail mặc định - + Windows Explorer Windows Explorer - + Registry Editor Registry Editor - + Programs and Features Programs and Features - + Terminate All Programs Chấm dứt tất cả các chương trình - - - - - + + + + + Create Shortcut Tạo Shortcut - - + + Explore Content Khám phá nội dung - - + + Snapshots Manager Trình quản lý bản ghi nhanh - + Recover Files Khôi phục tập tin - - + + Delete Content Xóa nội dung - + Sandbox Presets Cài đặt trước Sandbox - + Ask for UAC Elevation Yêu cầu quyền UAC - + Drop Admin Rights Bỏ quyền quản trị viên - + Emulate Admin Rights Giả lập quyền quản trị - + Block Internet Access Chặn truy cập Internet - + Allow Network Shares Cho phép Chia sẻ Mạng - + Sandbox Options Tùy chọn Sandbox - + Standard Applications - + Browse Files Duyệt qua tệp - - + + Sandbox Tools Công cụ Sandbox - + Duplicate Box Config Cấu hình Sandbox trùng lặp - - + + Rename Sandbox Đổi tên Sandbox - - + + Move Sandbox Di chuyển Sandbox - - + + Remove Sandbox Xoá Sandbox - - + + Terminate Chấm dứt - + Preset Đặt trước - - + + Pin to Run Menu Ghim vào menu Chạy - + Block and Terminate Chặn và chấm dứt - + Allow internet access Cho phép truy cập internet - + Force into this sandbox Buộc vào Sandbox này - + Set Linger Process Đặt quy trình kéo dài - + Set Leader Process Đặt quy trình lãnh đạo - + File root: %1 Tập tin gốc: %1 - + Registry root: %1 Registry gốc: %1 - + IPC root: %1 IPC gốc: %1 - + Options: Tùy chọn: - + [None] [None] - + Please enter a new group name Vui lòng nhập tên nhóm mới - + Do you really want to remove the selected group(s)? Bạn có thực sự muốn xóa nhóm đã chọn không(s)? - - + + Create Box Group Tạo ra nhóm Sandbox - + Rename Group Đổi tên nhóm - - + + Stop Operations Ngừng hoạt động - + Command Prompt Command Prompt @@ -5060,77 +5130,77 @@ This file is part of Sandboxie and all changed done to it will be reverted next Công cụ Sandbox - + Command Prompt (as Admin) Command Prompt (với tư cách là quản trị viên) - + Command Prompt (32-bit) Command Prompt (32-bit) - + Execute Autorun Entries Thực thi các mục nhập tự động chạy - + Browse Content Duyệt nội dung - + Box Content Nội dung Sandbox - + Open Registry Mở Registry - - + + Refresh Info Làm mới thông tin - - + + Import Box - - + + (Host) Start Menu (Host) Start Menu - + Immediate Recovery Phục hồi ngay lập tức - + Disable Force Rules - + Export Box - - + + Move Up Đi lên - - + + Move Down Đi xuống @@ -5139,283 +5209,268 @@ This file is part of Sandboxie and all changed done to it will be reverted next Chạy trong Sandbox - + Run Web Browser Chạy trình duyệt web - + Run eMail Reader Chạy eMail Reader - + Run Any Program Chạy bất kỳ chương trình nào - + Run From Start Menu Chạy từ Start Menu - + Run Windows Explorer Chạy Windows Explorer - + Terminate Programs Chấm dứt chương trình - + Quick Recover Phục hồi nhanh chóng - + Sandbox Settings Cài đặt Sandbox - + Duplicate Sandbox Config Cấu hình Sandboxtrùng lặp - + Export Sandbox - + Move Group Di chuyển nhóm - + Disk root: %1 - + Please enter a new name for the Group. Vui lòng nhập tên mới cho Nhóm. - + Move entries by (negative values move up, positive values move down): Di chuyển các mục nhập theo (giá trị âm tăng lên, giá trị dương di chuyển xuống): - + A group can not be its own parent. Một nhóm không thể là nhóm mẹ của chính nhóm đó. - + Failed to open archive, wrong password? - + Failed to open archive (%1)! - - This name is already in use, please select an alternative box name - - - - - Importing Sandbox - - - - - Do you want to select custom root folder? - - - - + Importing: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. Tên Sandbox và tên nhóm Sandbox không thể sử dụng ký tự ',()'. - + This name is already used for a Box Group. Tên này đã được sử dụng cho một nhóm Sandbox. - + This name is already used for a Sandbox. Tên này đã được sử dụng cho một Sandbox. - - - + + + Don't show this message again. Không hiển thị lại thông báo này. - - - + + + This Sandbox is empty. Sandbox này trống. - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. CẢNH BÁO: Trình chỉnh sửa sổ đăng ký đã mở không có Sandbox, hãy cẩn thận và chỉ thực hiện các thay đổi đối với các vị trí Sandbox đã chọn trước. - + Don't show this warning in future Không hiển thị cảnh báo này trong tương lai - + Please enter a new name for the duplicated Sandbox. Vui lòng nhập tên mới cho tên trùng lặp. - + %1 Copy %1 Sao chép - - + + Select file name - - - - Mount Box Image - - + Mount Box Image + + + + + Unmount Box Image - + Suspend - + Resume - - - 7-zip Archive (*.7z) + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) - + Exporting: %1 - + Please enter a new name for the Sandbox. Vui lòng nhập tên mới cho Sandbox. - + Please enter a new alias for the Sandbox. - + The entered name is not valid, do you want to set it as an alias instead? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? Bạn có thực sự muốn xóa những Sandbox đã chọn không?<br /><br />Cảnh báo: Nội dung Sandbox cũng sẽ bị xóa! - + This Sandbox is already empty. Sandbox này đã trống rỗng. - - + + Do you want to delete the content of the selected sandbox? Bạn có muốn xóa nội dung của Sandbox đã chọn không? - - + + Also delete all Snapshots Đồng thời xóa tất cả bản ghi nhanh - + Do you really want to delete the content of all selected sandboxes? Bạn có thực sự muốn xóa nội dung của tất cả các Sandbox đã chọn không? - + Do you want to terminate all processes in the selected sandbox(es)? Bạn có muốn chấm dứt tất cả các quy trình trong những Sandbox đã chọn không? - - + + Terminate without asking Chấm dứt mà không cần hỏi - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. Start Menu của Sandboxie bây giờ sẽ được hiển thị. Chọn một ứng dụng từ menu và Sandboxie sẽ tạo một biểu tượng lối tắt mới trên màn hình thực của bạn, bạn có thể sử dụng biểu tượng này để gọi ứng dụng đã chọn dưới sự giám sát của Sandboxie. - - + + Create Shortcut to sandbox %1 Tạo lối tắt đến sandbox %1 - + Do you want to terminate %1? Do you want to %1 %2? Bạn có muốn tới %1 %2? - + the selected processes các quy trình đã chọn - + This box does not have Internet restrictions in place, do you want to enable them? Sandbox không có giới hạn Internet, bạn có muốn bật chúng không? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? Sandbox này bị vô hiệu hóa, bạn có muốn bật nó không? @@ -5460,7 +5515,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - Thiết lập toàn tổng @@ -5478,457 +5533,457 @@ This file is part of Sandboxie and all changed done to it will be reverted next Cấu hình bảo vệ - + Auto Detection Tự động phát hiện - + No Translation Không có dịch - - + + Don't integrate links Không tích hợp liên kết - - + + As sub group Như một nhóm phụ - - + + Fully integrate Tích hợp đầy đủ - + Don't show any icon Don't integrate links Không hiển thị bất kỳ biểu tượng nào - + Show Plus icon Hiển thị biểu tượng Plus - + Show Classic icon Hiển thị biểu tượng Cổ điển - + All Boxes Tất cả các Sandbox - + Active + Pinned Đang hoạt động + Đã ghim - + Pinned Only Chỉ được ghim - + Close to Tray - + Prompt before Close - + Close Đóng - + None Không có - + Native Tự nhiên - + Qt Qt - + Every Day - + Every Week - + Every 2 Weeks - + Every 30 days - + Ignore - + %1 %1 % %1 - + HwId: %1 - + Search for settings Tìm kiếm cài đặt - - - + + + Run &Sandboxed Chạy trong Sandbox - + kilobytes (%1) kilobytes (%1) - + Volume not attached - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - + Expires in: %1 days Expires: %1 Days ago - + Expired: %1 days ago - + Options: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - - - - + + + + Enabled - - - - + + + + Disabled Vô hiệu hóa - + Encrypted Sandboxes (EBox): %1 - + Network Interception (NetI): %1 - + Sandboxie Desktop (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> - - + + Retrieving certificate... - + Sandboxie-Plus - Get EVALUATION Certificate - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - + Error retrieving certificate: %1 Error retriving certificate: %1 - + Unknown Error (probably a network issue) - + Contributor - + Eternal - + Business - + Personal - + Great Patreon - + Patreon - + Family - + Home - + Evaluation - + Type %1 - + Advanced - + Advanced (L) - + Max Level - + Level %1 - + Supporter certificate required for access - + Supporter certificate required for automation - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. - + This certificate has unfortunately expired, you need to get a new certificate. - + The evaluation certificate has been successfully applied. Enjoy your free trial! - + Sandboxed Web Browser Trình duyệt web trong Sandbox - - - - Notify - - - Download & Notify + Notify + Download & Notify + + + + + Download & Install - + Browse for Program Duyệt chương trình - + Add %1 Template - + Select font - + Reset font - + %0, %1 pt - + Please enter message - + Select Program Chọn chương trình - + Executables (*.exe *.cmd) Tệp thực thi (*.exe *.cmd) - - + + Please enter a menu title Vui lòng nhập tiêu đề menu - + Please enter a command Vui lòng nhập một lệnh @@ -5937,12 +5992,12 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Chứng chỉ người hỗ trợ này đã hết hạn, vui lòng <a href="sbie://update/cert">nhận chứng chỉ cập nhật</a>. - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> - + <br />Plus features are no longer enabled. @@ -5951,22 +6006,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Chứng chỉ hỗ trợ này sẽ <font color='red'>hết hạn trong %1 ngày</font>, làm ơn <a href="sbie://update/cert">nhận chứng chỉ cập nhật</a>. - + Run &Un-Sandboxed Chạy ngoài Sandbox - + Set Force in Sandbox - + Set Open Path in Sandbox - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. Đây không giống như một chứng chỉ. Vui lòng nhập toàn bộ chứng chỉ, không chỉ một phần của nó. @@ -5979,7 +6034,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Chứng chỉ này rất tiếc đã lỗi thời. - + Thank you for supporting the development of Sandboxie-Plus. Cảm ơn bạn đã hỗ trợ sự phát triển của Sandboxie-Plus. @@ -5988,88 +6043,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.Chứng chỉ hỗ trợ này không hợp lệ. - + Update Available - + Installed - + by %1 - + (info website) - + This Add-on is mandatory and can not be removed. - - + + Select Directory Chọn thư mục - + <a href="check">Check Now</a> <a href="check">Kiểm tra ngay</a> - + Please enter the new configuration password. Vui lòng nhập mật khẩu cấu hình mới. - + Please re-enter the new configuration password. Vui lòng nhập lại mật khẩu cấu hình mới. - + Passwords did not match, please retry. Mật khẩu không khớp, vui lòng thử lại. - + Process Tiến trình - + Folder Thư mục - + Please enter a program file name Vui lòng nhập tên tệp chương trình - + Please enter the template identifier Vui lòng nhập mã nhận dạng mẫu - + Error: %1 Lỗi: %1 - + Do you really want to delete the selected local template(s)? - + %1 (Current) %1 (Hiện hành) @@ -6321,34 +6376,34 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox - + Almost complete, click Finish to create a new sandbox and conclude the wizard. - + Save options as new defaults - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) - + This Sandbox will be saved to: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6356,19 +6411,19 @@ This box's content will be DISCARDED when its closed, and the box will be r - + This box will DISCARD its content when its closed, its suitable only for temporary data. - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6376,13 +6431,13 @@ This box will run the MSIServer (*.msi installer service) with a system token, t - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6390,7 +6445,7 @@ Processes in this box will be running with a custom process token indicating the - + Failed to create new box: %1 @@ -7042,33 +7097,68 @@ If you are a great patreaon supporter already, sandboxie can check online for an - + Compression - + When selected you will be prompted for a password after clicking OK - + Encrypt archive content - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. - + Create Solide Archive - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + + + + + ExtractDialog + + + Extract Files + + + + + Import Sandbox from an archive + Export Sandbox from an archive + + + + + Import Sandbox Name + + + + + Box Root Folder + + + + + ... + ... + + + + Import without encryption @@ -7118,108 +7208,109 @@ If you are a great patreaon supporter already, sandboxie can check online for an Nhận diện Sandbox trong tiêu đề: - + Sandboxed window border: Đường viền cửa sổ Sandbox: - + Double click action: Nhấp đúp vào hành động: - + Separate user folders Tách các thư mục người dùng - + Box Structure Cấu trúc Sandbox - + Security Options Tùy chọn bảo mật - + Security Hardening Tăng cường bảo mật - - - - - - + + + + + + + Protect the system from sandboxed processes Bảo vệ hệ thống khỏi các tiến trình Sandbox - + Elevation restrictions Hạn chế - + Drop rights from Administrators and Power Users groups Bỏ quyền khỏi nhóm Quản trị viên và Người dùng quyền lực - + px Width px Bề rộng - + Make applications think they are running elevated (allows to run installers safely) Làm cho các ứng dụng nghĩ rằng chúng đang chạy trên quyền truy cập cao (cho phép chạy trình cài đặt một cách an toàn) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. THẬN TRỌNG: Khi chạy dưới quyền quản trị viên tích hợp, các quy trình không thể bỏ các đặc quyền quản trị. - + Appearance Vẻ bề ngoài - + (Recommended) (Khuyến khích) - + Show this box in the 'run in box' selection prompt Hiển thị hộp này trong lời nhắc lựa chọn của 'chạy trong Sandbox' - + File Options Tùy chọn tệp - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates Tự động xóa nội dung khi quá trình Sandbox cát cuối cùng kết thúc - + Copy file size limit: Sao chép giới hạn kích thước tệp: - + Box Delete options Tùy chọn xoá Sandbox - + Protect this sandbox from deletion or emptying Bảo vệ Sandbox này khỏi bị xóa hoặc làm trống @@ -7228,248 +7319,248 @@ If you are a great patreaon supporter already, sandboxie can check online for an Quyền truy cập đĩa thô - - + + File Migration Di chuyển tệp - + Allow elevated sandboxed applications to read the harddrive Cho phép các ứng dụng Sandbox nâng cao đọc ổ cứng - + Warn when an application opens a harddrive handle Cảnh báo khi ứng dụng mở ổ đĩa cứng - + kilobytes kilobytes - + Issue message 2102 when a file is too large Thông báo sự cố 2102 khi một tệp quá lớn - + Prompt user for large file migration Nhắc người dùng di chuyển tệp lớn - + Allow the print spooler to print to files outside the sandbox Cho phép bộ đệm in in ra các tệp bên ngoài Sandbox - + Remove spooler restriction, printers can be installed outside the sandbox Loại bỏ hạn chế bộ đệm, máy in có thể được cài đặt bên ngoài Sandbox - + Block read access to the clipboard Chặn quyền truy cập đã đọc vào khay nhớ tạm - + Open System Protected Storage Mở bộ nhớ được bảo vệ hệ thống - + Block access to the printer spooler Chặn quyền truy cập vào bộ đệm máy in - + Other restrictions Các hạn chế khác - + Printing restrictions Hạn chế in ấn - + Network restrictions Hạn chế mạng - + Block network files and folders, unless specifically opened. Chặn các tệp và thư mục mạng, trừ khi được mở cụ thể. - + Run Menu Menu Chạy - + You can configure custom entries for the sandbox run menu. Bạn có thể định cấu hình các mục nhập tùy chỉnh cho menu chạy Sandbox. - - - - - - - - - - - - - + + + + + + + + + + + + + Name Tên - + Command Line Dòng lệnh - + Add program Thêm chương trình - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove Loại bỏ - - - - - - - + + + + + + + Type Loại - + Program Groups Nhóm chương trình - + Add Group Thêm nhóm - - - - - + + + + + Add Program Thêm chương trình - + Force Folder Buộc thư mục - - - + + + Path Đường dẫn - + Force Program Chương trình bắt buộc - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates Hiển thị Mẫu - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. Lưu ý bảo mật: Các ứng dụng nâng cao chạy dưới sự giám sát của Sandboxie, với mã thông báo quản trị hoặc hệ thống, có nhiều cơ hội hơn để vượt qua sự cô lập và sửa đổi hệ thống bên ngoài Sandbox. - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required Cho phép MSIServer chạy với mã thông báo hệ thống hộp cát và áp dụng các ngoại lệ khác nếu được yêu cầu - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. Ghi chú: Không bắt buộc phải có Msi Installer Exemptions, nhưng nếu bạn gặp sự cố khi cài đặt gói msi mà bạn tin tưởng, tùy chọn này có thể giúp quá trình cài đặt hoàn tất thành công. Bạn cũng có thể thử tắt bỏ quyền quản trị viên. - + General Configuration Cấu hình chung - + Box Type Preset: Đặt trước loại Sandbox: - + Box info Thông tin Sandbox - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>Các loại Sandbox khác</b> chỉ dành riêng cho <u>những người ủng hộ dự án</u>, các Sandbox Nâng cao quyền riêng tư <b><font color='red'>bảo vệ dữ liệu người dùng khỏi bị truy cập bất hợp pháp</font></b> bởi các chương trình trong Sandbox.<br />Nếu bạn chưa phải là người ủng hộ, sau đó hãy xem xét <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">hỗ trợ dự án</a>, để nhận được một <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">giấy chứng nhận người ủng hộ</a>.<br />Bạn có thể kiểm tra các loại Sandbox khác bằng cách tạo các Sandbox mới thuộc các loại đó, tuy nhiên, các quy trình trong các Sandbox này sẽ tự động kết thúc sau 5 phút. @@ -7479,353 +7570,369 @@ If you are a great patreaon supporter already, sandboxie can check online for an Luôn hiển thị Sandbox cát này trong danh sách systray (Đã ghim) - + Open Windows Credentials Store (user mode) Mở Windows Credentials Store (chế độ người dùng) - + Prevent change to network and firewall parameters (user mode) Ngăn chặn sự thay đổi đối với các thông số mạng và tường lửa (chế độ người dùng) - + Force protection on mount - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. - + Isolation - + Only Administrator user accounts can make changes to this sandbox - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. Bạn có thể nhóm các chương trình lại với nhau và đặt tên nhóm cho chúng. Nhóm chương trình có thể được sử dụng với một số cài đặt thay vì tên chương trình. Các nhóm được xác định cho Sandbox sẽ ghi đè các nhóm được xác định trong mẫu. - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. Các chương trình được nhập tại đây hoặc các chương trình được bắt đầu từ các vị trí đã nhập sẽ tự động được đưa vào Sandbox cát này, trừ khi chúng được khởi động rõ ràng trong Sandbox cát khác. - - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - - - - - + + Stop Behaviour Ngừng hành vi - + Stop Options - + Use Linger Leniency - + Don't stop lingering processes with windows - + Start Restrictions Bắt đầu hạn chế - + Issue message 1308 when a program fails to start Thông báo sự cố 1308 khi một chương trình không khởi động được - + Allow only selected programs to start in this sandbox. * Chỉ cho phép các chương trình đã chọn bắt đầu trong Sandbox này. * - + Prevent selected programs from starting in this sandbox. Ngăn các chương trình đã chọn khởi động trong Sandbox này. - + Allow all programs to start in this sandbox. Cho phép tất cả các chương trình bắt đầu trong Sandbox này. - + * Note: Programs installed to this sandbox won't be able to start at all. * Ghi chú: Các chương trình được cài đặt vào Sandbox này sẽ không thể khởi động được. - + Process Restrictions Hạn chế Tiến trình - + Issue message 1307 when a program is denied internet access Thông báo sự cố 1307 khi một chương trình bị từ chối truy cập internet - + Prompt user whether to allow an exemption from the blockade. Nhắc người dùng xem có cho phép miễn lệnh phong tỏa hay không. - + Note: Programs installed to this sandbox won't be able to access the internet at all. Ghi chú: Các chương trình được cài đặt vào Sandbox này sẽ không thể truy cập internet. - - - - - - + + + + + + Access Truy cập - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty - + Disk/File access - + Encrypt sandbox content - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - + Partially checked means prevent box removal but not content deletion. - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Store the sandbox content in a Ram Disk - + Set Password - + Virtualization scheme - + + Allow sandboxed processes to open files protected by EFS + + + + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only - + Issue message 2113/2114/2115 when a file is not fully migrated - + Add Pattern - + Remove Pattern - + Pattern - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. - + Using wildcard patterns file specific behavior can be configured in the list below: - + When a file cannot be migrated, open it in read-only mode instead - - + + Open access to Proxy Configurations + + + + + Move Up Đi lên - - + + Move Down Đi xuống - + + File ACLs + + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + + + + Security Isolation Cách ly an ninh - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. - + Disable Security Isolation - + Access Isolation - - + + Box Protection - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. - + Allow useful Windows processes access to protected processes - + Protect processes within this box from host processes - + Allow Process - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - + Deny Process - + Use a Sandboxie login instead of an anonymous token - + Configure which processes can access Desktop objects like Windows and alike. - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. - + Image Protection - + Issue message 1305 when a program tries to load a sandboxed dll - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox - + Dlls && Extensions - + Description - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -7833,13 +7940,13 @@ This is done to prevent rogue processes inside the sandbox from creating a renam - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. - + Advanced Security Adcanced Security Bảo mật nâng cao @@ -7849,134 +7956,145 @@ This is done to prevent rogue processes inside the sandbox from creating a renam Sử dụng thông tin đăng nhập Sandboxie thay vì mã thông báo ẩn danh (thử nghiệm) - + Other isolation Cách ly khác - + Privilege isolation Cô lập đặc quyền - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. Sử dụng Mã thông báo Sandbox tùy chỉnh cho phép cô lập các Sandbox riêng lẻ với nhau tốt hơn và nó hiển thị trong cột người dùng của người quản lý tác vụ tên của Sandbox mà một quy trình thuộc về. Tuy nhiên, một số giải pháp bảo mật của bên thứ 3 có thể gặp sự cố với mã thông báo tùy chỉnh. - + Program Control Kiểm soát chương trình - + Force Programs Chương trình bắt buộc - + Disable forced Process and Folder for this sandbox - + Breakout Programs Chương trình đột phá - + Breakout Program Chương trình đột phá - + Breakout Folder Thư mục đột phá - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. Các chương trình được nhập ở đây sẽ được phép thoát ra khỏi Sandbox này khi chúng bắt đầu. Cũng có thể thu thập chúng vào một Sandbox khác, chẳng hạn như để trình duyệt web của bạn luôn mở trong một Sandbox chuyên dụng. - + Create a new sandboxed token instead of stripping down the original token - + Drop ConHost.exe Process Integrity Level - + Force Children - + + Breakout Document + + + + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + + + + Lingering Programs Chương trình kéo dài - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. Các chương trình kéo dài sẽ tự động bị chấm dứt nếu chúng vẫn đang chạy sau khi tất cả các quá trình khác đã được chấm dứt. - + Leader Programs Các chương trình dẫn đầu - + If leader processes are defined, all others are treated as lingering processes. If các quy trình của nhà lãnh đạo được xác định, tất cả các quy trình khác được coi là các quy trình kéo dài. - + Files Các tập tin - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Định cấu hình quy trình nào có thể truy cập Tệp, Thư mục và Đường ống. 'Mở' quyền truy cập chỉ áp dụng cho các mã nhị phân của chương trình nằm bên ngoài Sandbox, bạn có thể dùng 'Mở cho tất cả' thay vào đó để làm cho nó áp dụng cho tất cả các chương trình hoặc thay đổi hành vi này trong tab Chính sách. - + Registry Registry - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. Định cấu hình những tiến trình nào có thể truy cập vào Registry. 'Mở' quyền truy cập chỉ áp dụng cho các mã nhị phân của chương trình nằm bên ngoài Sandbox, bạn có thể dùng 'Mở cho tất cả' thay vào đó để làm cho nó áp dụng cho tất cả các chương trình hoặc thay đổi hành vi này trong tab Chính sách. - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. Định cấu hình quy trình nào có thể truy cập các đối tượng NT IPC như cổng ALPC và bộ nhớ và ngữ cảnh quy trình khác. Để chỉ định một quy trình sử dụng '$:program.exe' như đường dẫn. - + Wnd Wnd - + Wnd Class Wnd Class @@ -7986,157 +8104,157 @@ To specify a process use '$:program.exe' as path. Định cấu hình các tiến trình nào có thể truy cập các đối tượng Máy tính để bàn như Windows và các quy trình tương tự. - + COM COM - + Class Id Class Id - + Configure which processes can access COM objects. Định cấu hình tiến trình nào có thể truy cập các đối tượng COM. - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) Không sử dụng COM ảo hóa, Mở quyền truy cập vào máy chủ cơ sở hạ tầng COM (không được khuyến nghị) - + Access Policies Chính sách truy cập - + Network Options Tùy chọn mạng - + Set network/internet access for unlisted processes: Đặt quyền truy cập mạng / internet cho các quy trình không công khai: - + Test Rules, Program: Quy tắc kiểm tra, chương trình: - + Port: Port: - + IP: IP: - + Protocol: Giao thức: - + X X - + Add Rule Thêm quy tắc - - - - - - - - - - + + + + + + + + + + Program Chương trình - - - - + + + + Action Hoạt động - - + + Port Port - - - + + + IP IP - + Protocol Giao thức - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. THẬN TRỌNG:Nền tảng lọc của Windows không được kích hoạt với trình điều khiển, do đó các quy tắc này sẽ chỉ được áp dụng trong chế độ người dùng và không thể được thực thi !!! Điều này có nghĩa là các ứng dụng độc hại có thể bỏ qua chúng. - + Resource Access Quyền truy cập tài nguyên - + Add File/Folder Thêm tệp / thư mục - + Add Wnd Class Thêm Wnd Class - + Add IPC Path Thêm IPC Path - + Use the original token only for approved NT system calls Chỉ sử dụng mã thông báo ban đầu cho các cuộc gọi hệ thống NT đã được phê duyệt - + Enable all security enhancements (make security hardened box) Bật tất cả các cải tiến bảo mật (làm cho hộp tăng cường bảo mật) - + Restrict driver/device access to only approved ones Chỉ giới hạn quyền truy cập của trình điều khiển / thiết bị đối với những người đã được phê duyệt - + Security enhancements Cải tiến bảo mật - + Issue message 2111 when a process access is denied Thông báo sự cố 2111 khi quyền truy cập quy trình bị từ chối @@ -8149,198 +8267,198 @@ To specify a process use '$:program.exe' as path. Truy cập cách ly - + Sandboxie token Mã thông báo Sandboxie - + Add Reg Key Thêm Reg Key - + Add COM Object Thêm Đối tượng COM - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. Áp dụng Đóng...=!<chương trình>,... quy tắc cũng cho tất cả các tệp nhị phân nằm trong Sandbox. - + Bypass IPs - + File Recovery Phục hồi tập tin - + Quick Recovery Khôi phục nhanh - + Add Folder Thêm thư mục - + Immediate Recovery Phục hồi ngay lập tức - + Ignore Extension Bỏ qua phần mở rộng - + Ignore Folder Bỏ qua thư mục - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. Bật lời nhắc Khôi phục ngay lập tức để có thể khôi phục tệp ngay sau khi chúng được tạo. - + You can exclude folders and file types (or file extensions) from Immediate Recovery. Bạn có thể loại trừ các thư mục và loại tệp (hoặc phần mở rộng tệp) khỏi Khôi phục ngay lập tức. - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. Khi chức năng Khôi phục nhanh được gọi, các thư mục sau sẽ được kiểm tra nội dung Sandbox. - + Advanced Options Tùy chọn nâng cao - + Miscellaneous Khác - + Don't alter window class names created by sandboxed programs Không thay đổi tên lớp cửa sổ được tạo bởi các chương trình Sandbox - + Do not start sandboxed services using a system token (recommended) Không khởi động các dịch vụ Sandbox bằng mã thông báo hệ thống (được khuyến nghị) - - - - - - - + + + + + + + Protect the sandbox integrity itself Bảo vệ tính toàn vẹn của hộp cát - + Drop critical privileges from processes running with a SYSTEM token Bỏ các đặc quyền quan trọng khỏi các quy trình đang chạy với mã thông báo HỆ THỐNG - - + + (Security Critical) (Bảo mật quan trọng) - + Protect sandboxed SYSTEM processes from unprivileged processes Bảo vệ các quy trình HỆ THỐNG hộp cát khỏi các quy trình không có đặc quyền - + Force usage of custom dummy Manifest files (legacy behaviour) Buộc sử dụng các tệp Tệp kê khai giả tùy chỉnh (hành vi kế thừa) - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. Độ cụ thể của quy tắc là thước đo mức độ phù hợp của một quy tắc nhất định với một đường dẫn cụ thể, chỉ cần đặt độ cụ thể là độ dài của các ký tự từ đầu đường dẫn đến và bao gồm chuỗi con không phải ký tự đại diện phù hợp cuối cùng. Quy tắc chỉ khớp với các loại tệp như "*.tmp" sẽ có độ đặc hiệu cao nhất vì nó sẽ luôn khớp với toàn bộ đường dẫn tệp. Mức độ đối sánh tiến trình có mức độ ưu tiên cao hơn mức độ cụ thể và mô tả cách áp dụng quy tắc cho một tiến trình nhất định. Các quy tắc áp dụng theo tên tiến trình hoặc nhóm có mức đối sánh mạnh nhất, tiếp theo là đối sánh bằng phủ định (tức là các quy tắc áp dụng cho tất cả các tiến trình trừ quy trình đã cho), trong khi các cấp đối sánh thấp nhất có các đối sánh toàn cục, tức là các quy tắc áp dụng cho bất kỳ tiến trình nào. - + Prioritize rules based on their Specificity and Process Match Level Ưu tiên các quy tắc dựa trên Mức độ cụ thể và Đối sánh quy trình của chúng - + Privacy Mode, block file and registry access to all locations except the generic system ones Chế độ bảo mật, chặn tệp và quyền truy cập đăng ký vào tất cả các vị trí ngoại trừ các vị trí hệ thống chung - + Access Mode Chế độ truy cập - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. Khi Chế độ bảo mật được bật, các quy trình Sandbox sẽ chỉ có thể đọc C:\Windows\*, C:\Program Files\* và các phần của sổ đăng ký HKLM, tất cả các vị trí khác sẽ cần quyền truy cập rõ ràng để có thể đọc được và / hoặc có thể ghi được. Trong chế độ này, Tính cụ thể của quy tắc luôn được bật. - + Rule Policies Chính sách Quy tắc - + Apply File and Key Open directives only to binaries located outside the sandbox. Chỉ áp dụng lệnh Mở tệp và Khóa cho các tệp nhị phân nằm bên ngoài Sandbox. - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) Bắt đầu các RpcS có Sandbox dưới dạng quy trình HỆ THỐNG (không được khuyến nghị) - + Allow only privileged processes to access the Service Control Manager Chỉ cho phép các quy trình đặc quyền truy cập Trình quản lý kiểm soát dịch vụ - - + + Compatibility Khả năng tương thích - + Add sandboxed processes to job objects (recommended) Thêm các quy trình Sandbox vào các đối tượng công việc (được khuyến nghị) - + Emulate sandboxed window station for all processes Mô phỏng trạm cửa sổ Sandbox cho tất cả các quy trình - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. Cách ly bảo mật thông qua việc sử dụng mã thông báo quy trình bị hạn chế nhiều là phương tiện chính của Sandboxie để thực thi các hạn chế Sandbox, khi điều này bị vô hiệu hóa, Sandbox sẽ được vận hành ở chế độ ngăn ứng dụng, tức là nó không còn cung cấp bảo mật đáng tin cậy nữa, chỉ phân chia ứng dụng đơn giản. - + Allow sandboxed programs to manage Hardware/Devices Cho phép các chương trình hộp cát quản lý Phần cứng/Thiết bị @@ -8349,106 +8467,106 @@ Mức độ đối sánh tiến trình có mức độ ưu tiên cao hơn mức Tắt cách ly bảo mật (thử nghiệm) - + Open access to Windows Security Account Manager Mở quyền truy cập vào Trình quản lý tài khoản bảo mật của Windows - + Open access to Windows Local Security Authority Mở quyền truy cập vào Windows Local Security Authority - + Allow to read memory of unsandboxed processes (not recommended) Cho phép đọc bộ nhớ của các quy trình không trong Sandbox (không được khuyến nghị) - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) Vô hiệu hóa việc sử dụng RpcMgmtSetComTimeout theo mặc định (điều này có thể giải quyết các vấn đề tương thích) - + Security Isolation & Filtering Cách ly an ninh & Lọc - + Disable Security Filtering (not recommended) Tắt tính năng Lọc bảo mật (không được khuyến nghị) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. Lọc bảo mật được Sandboxie sử dụng để thực thi các hạn chế truy cập hệ thống tệp và sổ đăng ký, cũng như để hạn chế quyền truy cập quy trình. - + The below options can be used safely when you don't grant admin rights. Các tùy chọn dưới đây có thể được sử dụng một cách an toàn khi bạn không cấp quyền quản trị viên. - + Triggers Triggers - + Event Event - - - - + + + + Run Command Chạy lệnh - + Start Service Bắt đầu dịch vụ - + These events are executed each time a box is started Các sự kiện này được thực thi mỗi khi một Sandbox được khởi động - + On Box Start Khi bắt đầu Sandbox - - + + These commands are run UNBOXED just before the box content is deleted Các lệnh này được chạy ngoài Sandbox ngay trước khi nội dung Sandbox bị xóa - + Allow use of nested job objects (works on Windows 8 and later) Cho phép sử dụng các đối tượng công việc lồng ghép nhau (hoạt động trên Windows 8 trở lên) - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. Các lệnh này chỉ được thực thi khi một Sandbox được khởi tạo. Để làm cho chúng chạy lại, nội dung Sandbox phải được xóa. - + On Box Init Khi khởi động Sandbox - + These commands are run UNBOXED after all processes in the sandbox have finished. - + Here you can specify actions to be executed automatically on various box events. Tại đây, bạn có thể chỉ định các hành động được thực thi tự động trên các sự kiện Sandbox khác nhau. @@ -8457,74 +8575,74 @@ Mức độ đối sánh tiến trình có mức độ ưu tiên cao hơn mức Ẩn các tiến trình - + Add Process Thêm tiến trình - + Hide host processes from processes running in the sandbox. Ẩn các tiến trình máy chủ khỏi các tiến trình đang chạy trong Sandbox. - + Restrictions Những hạn chế - + Various Options Các tùy chọn khác nhau - + Apply ElevateCreateProcess Workaround (legacy behaviour) Áp dụng ElevateCreateProcess Workaround (hành vi cũ) - + Use desktop object workaround for all processes - + This command will be run before the box content will be deleted Lệnh này sẽ được chạy trước khi nội dung Sandbox bị xóa - + On File Recovery Khi phục hồi tệp - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked Lệnh này sẽ được chạy trước khi tệp được khôi phục và đường dẫn tệp sẽ được chuyển làm đối số đầu tiên. Nếu lệnh này trả về bất kỳ điều gì khác với 0, quá trình khôi phục sẽ bị chặn - + Run File Checker Chạy trình kiểm tra tệp - + On Delete Content Khi xóa nội dung - + Don't allow sandboxed processes to see processes running in other boxes Không cho phép các tiến trình trong Sandbox cát xem các quy trình đang chạy trong các Sandbox khác - + Protect processes in this box from being accessed by specified unsandboxed host processes. Bảo vệ các tiến trình trong Sandbox này khỏi bị truy cập bởi các quy trình máy chủ lưu trữ không có Sandbox được chỉ định. - - + + Process Tiến trình @@ -8533,22 +8651,22 @@ Mức độ đối sánh tiến trình có mức độ ưu tiên cao hơn mức Chặn cũng đọc quyền truy cập vào các tiến trình trong Sandbox này - + Users Người dùng - + Restrict Resource Access monitor to administrators only Giới hạn giám sát Quyền truy cập tài nguyên chỉ dành cho quản trị viên - + Add User Thêm người dùng - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8557,23 +8675,23 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to Ghi chú: Cài đặt Buộc chương trình và Thư mục bắt buộc cho Sandbox không áp dụng cho các tài khoản người dùng không thể sử dụng Sandbox. - + Add Option Thêm tùy chọn - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. Tại đây, bạn có thể định cấu hình các tùy chọn nâng cao cho mỗi quy trình để cải thiện khả năng tương thích và / hoặc tùy chỉnh hành vi Sandbox. - + Option Tuỳ chọn - + Tracing Truy tìm @@ -8582,22 +8700,22 @@ Ghi chú: Cài đặt Buộc chương trình và Thư mục bắt buộc cho Sa Theo dõi cuộc gọi API (yêu cầu phải cài đặt LogAPI trong thư mục Sbie) - + Pipe Trace Pipe Trace - + Log all SetError's to Trace log (creates a lot of output) Ghi lại tất cả SetError' đến Nhật ký theo dõi (tạo ra nhiều đầu ra) - + Log Debug Output to the Trace Log Ghi đầu ra Gỡ lỗi vào Nhật ký theo dõi - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8620,181 +8738,181 @@ thay vì "*". Ntdll syscall Trace (tạo ra nhiều đầu ra) - + File Trace Theo dõi tệp - + Disable Resource Access Monitor Tắt tính năng giám sát quyền truy cập tài nguyên - + IPC Trace Theo dõi IPC - + GUI Trace Theo dõi giao diện người dùng - + Resource Access Monitor Giám sát truy cập tài nguyên - + Access Tracing Truy cập theo dõi - + COM Class Trace Theo dõi lớp COM - + Key Trace Theo dõi khoá - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. Để bù đắp cho sự bảo vệ đã mất, vui lòng tham khảo trang cài đặt Quyền thả trong nhóm cài đặt Hạn chế. - - + + Network Firewall Tường lửa mạng - - - + + + unlimited - - + + bytes - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - + Privacy - + Hide Firmware Information Hide Firmware Informations - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - + Process Hiding - + Use a custom Locale/LangID - + Data Protection - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - + Dump FW Tables - + API call Trace (traces all SBIE hooks) - + Debug Gỡ lỗi - + WARNING, these options can disable core security guarantees and break sandbox security!!! CẢNH BÁO, các tùy chọn này có thể vô hiệu hóa các đảm bảo bảo mật cốt lõi và phá vỡ bảo mật Sandbox !!! - + These options are intended for debugging compatibility issues, please do not use them in production use. Các tùy chọn này nhằm gỡ lỗi các vấn đề tương thích, vui lòng không sử dụng chúng trong sản xuất. - + App Templates Mẫu ứng dụng - + Filter Categories Lọc danh mục - + Text Filter Bộ lọc văn bản - + Add Template Thêm mẫu - + This list contains a large amount of sandbox compatibility enhancing templates Danh sách này chứa một lượng lớn các mẫu nâng cao khả năng tương thích với Sandbox - + Category Loại - + Template Folders Thư mục Mẫu - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8803,238 +8921,238 @@ Please note that this values are currently user specific and saved globally for Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dùng và được lưu trên toàn cầu cho tất cả các Sandbox. - - + + Value Giá trị - + Prevent sandboxed processes from interfering with power operations (Experimental) - + Prevent interference with the user interface (Experimental) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) - + Other Options - + Port Blocking - + Block common SAMBA ports - + DNS Filter - + Add Filter - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. - + Domain - + Internet Proxy - + Add Proxy - + Test Proxy - + Auth - + Login - + Password - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. - + Resolve hostnames via proxy - + Block DNS, UDP port 53 - + Limit restrictions - - - + + + Leave it blank to disable the setting - + Total Processes Number Limit: - + Job Object - + Total Processes Memory Limit: - + Single Process Memory Limit: - + Restart force process before they begin to execute - + On Box Terminate - + Hide Disk Serial Number - + Obfuscate known unique identifiers in the registry - + Don't allow sandboxed processes to see processes running outside any boxes - + Hide Network Adapter MAC Address - + DNS Request Logging - + Syscall Trace (creates a lot of output) - + Templates Mẫu - + Open Template - + Accessibility Khả năng tiếp cận - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access Trình đọc màn hình: JAWS, NVDA, Window-Eyes, System Access - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. Các cài đặt sau cho phép sử dụng Sandboxie kết hợp với phần mềm trợ năng. Xin lưu ý rằng một số biện pháp bảo vệ Sandboxie nhất thiết bị mất khi các cài đặt này có hiệu lực. - + Edit ini Section Chỉnh sửa file .ini - + Edit ini Chỉnh sửa ini - + Cancel Hủy bỏ - + Save Lưu @@ -9050,7 +9168,7 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù ProgramsDelegate - + Group: %1 Nhóm: %1 @@ -9058,7 +9176,7 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù QObject - + Drive %1 Ổ đĩa %1 @@ -9066,27 +9184,27 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù QPlatformTheme - + OK OK - + Apply Áp dụng - + Cancel Hủy bỏ - + &Yes &Có - + &No &Không @@ -9099,7 +9217,7 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù SandboxiePlus - Khôi phục - + Close Đóng @@ -9119,27 +9237,27 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Xóa nội dung - + Recover Hồi phục - + Refresh Làm mới - + Delete Xóa bỏ - + Show All Files Xem tất cả các tệp - + TextLabel TextLabel @@ -9205,18 +9323,18 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Cấu hình chung - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes Hiển thị cửa sổ khôi phục đầu tiên khi làm trống Sandbox - + Open urls from this ui sandboxed Mở url từ giao diện Sandbox này - + Systray options Tùy chọn Systray @@ -9226,22 +9344,22 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Ngôn ngữ giao diện người dùng: - + Shell Integration Tích hợp Shell - + Run Sandboxed - Actions Chạy trong Sandbox - Hành động - + Start Sandbox Manager Khởi động trình quản lý Sandbox - + Start UI when a sandboxed process is started Bắt đầu giao diện người dùng khi một quá trình Sandbox được bắt đầu @@ -9250,77 +9368,77 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Hiển thị Thông báo cho Tin nhắn nhật ký liên quan - + Start UI with Windows Khởi động giao diện người dùng với Windows - + Add 'Run Sandboxed' to the explorer context menu Add 'Chạy trong Sandbox' vào menu ngữ cảnh của trình Explorer - + Run box operations asynchronously whenever possible (like content deletion) Chạy các hoạt động hộp không đồng bộ bất cứ khi nào có thể (như xóa nội dung) - + Hotkey for terminating all boxed processes: Phím nóng để chấm dứt tất cả các quy trình đóng hộp: - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - + Show boxes in tray list: Hiển thị các hộp trong danh sách khay: - + Always use DefaultBox Luôn sử dụng DefaultBox - + Add 'Run Un-Sandboxed' to the context menu Add 'Chạy ngoài Sandbox' vào menu ngữ cảnh - + Show a tray notification when automatic box operations are started Hiển thị thông báo khay khi các hoạt động Sandbox tự động được bắt đầu - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * một Sandbox kiểm được chọn một phần sẽ để chế độ xem xác định hành vi. - + Advanced Config Cấu hình nâng cao - + Activate Kernel Mode Object Filtering Kích hoạt tính năng lọc đối tượng chế độ hạt nhân - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: Sandbox <a href="sbie://docs/filerootpath">tập tin gốc hệ thống</a>: - + Clear password when main window becomes hidden Xóa mật khẩu khi cửa sổ chính bị ẩn @@ -9329,22 +9447,22 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Tách các thư mục người dùng - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: Sandbox <a href="sbie://docs/ipcrootpath">gốc IPC</a>: - + Sandbox default Sandbox mặc định - + Config protection Bảo vệ cấu hình - + ... ... @@ -9354,413 +9472,413 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù - + Notifications - + Add Entry - + Show file migration progress when copying large files into a sandbox - + Message ID - + Message Text (optional) - + SBIE Messages - + Delete Entry - + Notification Options - + Windows Shell - + Move Up Đi lên - + Move Down Đi xuống - + Show overlay icons for boxes and processes - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list - - + + Interface Options Display Options Tùy chọn giao diện - + Ini Editor Font - + Graphic Options - + Select font - + Reset font - + Ini Options - + # - + Terminate all boxed processes when Sandman exits - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + Add 'Set Open Path in Sandbox' to context menu - + External Ini Editor - + Add-Ons Manager - + Optional Add-Ons - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - + Status Trạng thái - + Version - + Description - + <a href="sbie://addons">update add-on list now</a> - + Install - + Add-On Configuration - + Enable Ram Disk creation - + kilobytes kilobytes - + Assign drive letter to Ram Disk - + Disk Image Support - + RAM Limit - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - + Hotkey for bringing sandman to the top: - + Hotkey for suspending process/folder forcing: - + Hotkey for suspending all processes: Hotkey for suspending all process - + Check sandboxes' auto-delete status when Sandman starts - + Integrate with Host Desktop - + System Tray - + On main window close: - + Open/Close from/to tray with a single click - + Minimize to tray - + Hide SandMan windows from screen capture (UI restart required) - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - + * takes effect on disk creation - + Sandboxie Support - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) - + Get - + Retrieve/Upgrade/Renew certificate using Serial Number - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. - + SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> - + Update Settings - + New full installers from the selected release channel. - + Full Upgrades - + Update Check Interval - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: Sandbox <a href="sbie://docs/keyrootpath">gốc registry</a>: - + Sandboxing features Sandbox Tính năng, đặc điểm - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) - + Sandboxie.ini Presets - + Change Password Đổi mật khẩu - + Password must be entered in order to make changes Mật khẩu phải được nhập để thực hiện thay đổi - + Only Administrator user accounts can make changes Chỉ tài khoản người dùng Quản trị viên mới có thể thực hiện thay đổi - + Watch Sandboxie.ini for changes Theo dõi Sandboxie.ini để biết các thay đổi - + USB Drive Sandboxing - + Volume - + Information - + Sandbox for USB drives: - + Automatically sandbox all attached USB drives - + App Templates Mẫu ứng dụng - + App Compatibility - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command Chỉ tài khoản người dùng Quản trị viên mới có thể sử dụng lệnh Tạm dừng Chương trình Bắt buộc - + Portable root folder Thư mục gốc Portable - + Show recoverable files as notifications Hiển thị các tệp có thể khôi phục dưới dạng thông báo @@ -9770,99 +9888,99 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Các tùy chọn chung - + Show Icon in Systray: Hiển thị biểu tượng trong Systray: - + Use Windows Filtering Platform to restrict network access Sử dụng Nền tảng lọc của Windows để hạn chế quyền truy cập mạng - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Kết nối các lệnh gọi hệ thống Win32k đã chọn để bật tăng tốc GPU (thử nghiệm) - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox Đếm và hiển thị dung lượng ổ đĩa bị chiếm bởi mỗi Sandbox - + Use Compact Box List Sử dụng danh sách Sandbox nhỏ gọn - + Interface Config Cấu hình giao diện - + Make Box Icons match the Border Color Làm cho các biểu tượng Sandbox khớp với màu viền - + Use a Page Tree in the Box Options instead of Nested Tabs * Sử dụng Cây Trang trong Tùy chọn Sandbox thay vì Các Tab lồng nhau * - + Use large icons in box list * Sử dụng các biểu tượng lớn trong danh sách hộp * - + High DPI Scaling Tỷ lệ DPI cao - + Don't show icons in menus * Không hiển thị các biểu tượng trong menu * - + Use Dark Theme Sử dụng Chủ đề tối - + Font Scaling Tỷ lệ phông chữ - + (Restart required) (Yêu cầu khởi động lại) - + Show the Recovery Window as Always on Top Hiển thị Cửa sổ khôi phục luôn ở trên cùng - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* Trình diễn Nền hình "Pizza" trong danh sách hộp * - + % % - + Alternate row background in lists Nền hàng thay thế trong danh sách - + Use Fusion Theme Sử dụng chủ đề Fusion @@ -9871,56 +9989,56 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Sử dụng thông tin đăng nhập Sandboxie thay vì mã thông báo ẩn danh (thử nghiệm) - - - - - + + + + + Name Tên - + Path Đường dẫn - + Remove Program Xóa chương trình - + Add Program Thêm chương trình - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. Khi bất kỳ chương trình nào sau đây được khởi chạy bên ngoài bất kỳ Sandbox nào, Sandboxie sẽ đưa ra thông báo SBIE1301. - + Add Folder Thêm thư mục - + Prevent the listed programs from starting on this system Ngăn không cho các chương trình được liệt kê khởi động trên hệ thống này - + Issue message 1308 when a program fails to start Đưa ra thông báo 1308 khi một chương trình không khởi động được - + Recovery Options Tùy chọn khôi phục - + Start Menu Integration Tích hợp menu Start @@ -9929,141 +10047,151 @@ Xin lưu ý rằng các giá trị này hiện là dành riêng cho người dù Tích hợp các hộp với Menu Bắt đầu Máy chủ - + Scan shell folders and offer links in run menu Quét các thư mục shell và cung cấp các liên kết trong menu chạy - + Integrate with Host Start Menu - + Use new config dialog layout * Sử dụng bố cục hộp thoại cấu hình mới * - + HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + Sandboxie Updater - + Keep add-on list up to date - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. - + Search in the Insider channel - + Check periodically for new Sandboxie-Plus versions - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> - + Keep Troubleshooting scripts up to date - + Use a Sandboxie login instead of an anonymous token - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + + + + + Restrict box root folder access to the the user whom created that sandbox + + + + Always run SandMan UI as Admin - + Program Control Kiểm soát chương trình - + Program Alerts Cảnh báo chương trình - + Issue message 1301 when forced processes has been disabled Phát hành thông báo 1301 khi các quy trình bắt buộc đã bị vô hiệu hóa - + Sandboxie Config Config Protection Cấu hình bảo vệ - + This option also enables asynchronous operation when needed and suspends updates. - + Suppress pop-up notifications when in game / presentation mode - + User Interface - + Run Menu Menu Chạy - + Add program Thêm chương trình - + You can configure custom entries for all sandboxes run menus. - - - + + + Remove Loại bỏ - + Command Line Dòng lệnh - + Support && Updates @@ -10072,7 +10200,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Cấu hình hộp cát - + Default sandbox: @@ -10081,67 +10209,67 @@ Unlike the preview channel, it does not include untested, potentially breaking, Khả năng tương thích - + In the future, don't check software compatibility Trong tương lai, không kiểm tra tính tương thích của phần mềm - + Enable Cho phép - + Disable Vô hiệu hóa - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie đã phát hiện các ứng dụng phần mềm sau trong hệ thống của bạn. Nhấp vào OK để áp dụng cài đặt cấu hình, điều này sẽ cải thiện khả năng tương thích với các ứng dụng này. Các cài đặt cấu hình này sẽ có hiệu lực trong tất cả các Sandbox hiện có và trong bất kỳ Sandbox mới nào. - + Local Templates - + Add Template Thêm mẫu - + Text Filter Bộ lọc văn bản - + This list contains user created custom templates for sandbox options - + Open Template - + Edit ini Section Chỉnh sửa file ini - + Save Lưu - + Edit ini Chỉnh sửa ini - + Cancel Hủy bỏ @@ -10150,13 +10278,13 @@ Unlike the preview channel, it does not include untested, potentially breaking, Ủng hộ - + Incremental Updates Version Updates - + Hotpatches for the installed version, updates to the Templates.ini and translations. @@ -10165,17 +10293,17 @@ Unlike the preview channel, it does not include untested, potentially breaking, Chứng chỉ người hỗ trợ này đã hết hạn, vui lòng <a href="sbie://update/cert">nhận chứng chỉ cập nhật</a>. - + The preview channel contains the latest GitHub pre-releases. - + The stable channel contains the latest stable GitHub releases. - + Search in the Stable channel @@ -10184,7 +10312,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Giữ cho Sandboxie luôn cập nhật với các bản phát hành liên tục của Windows và tương thích với tất cả các trình duyệt web là một nỗ lực không bao giờ ngừng nghỉ. Vui lòng xem xét hỗ trợ công việc này bằng một khoản đóng góp.<br />Bạn có thể hỗ trợ sự phát triển với <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">PayPal</a>, cũng làm việc với thẻ tín dụng.<br />Hoặc bạn có thể cung cấp hỗ trợ liên tục với <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon</a>. - + Search in the Preview channel Tìm kiếm trong kênh Xem trước @@ -10201,12 +10329,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Tìm kiếm trong kênh Phát hành - + In the future, don't notify about certificate expiration Trong tương lai, không thông báo về việc hết hạn chứng chỉ - + Enter the support certificate here Nhập chứng chỉ hỗ trợ tại đây @@ -10241,37 +10369,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, Tên: - + Description: Mô tả: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. Khi xóa nội dung bản ghi nhanh, nội dung đó sẽ được trả về bản ghi nhanh này thay vì không có. - + Default snapshot Bản ghi nhanh mặc định - + Snapshot Actions Hành động bản ghi nhanh - + Remove Snapshot Xóa bản ghi nhanh - + Go to Snapshot Đi tới bản ghi nhanh - + Take Snapshot Chụp bản ghi diff --git a/SandboxiePlus/SandMan/sandman_zh_CN.ts b/SandboxiePlus/SandMan/sandman_zh_CN.ts index d6ab501d..c068d4c0 100644 --- a/SandboxiePlus/SandMan/sandman_zh_CN.ts +++ b/SandboxiePlus/SandMan/sandman_zh_CN.ts @@ -6,56 +6,56 @@ Form - 表格 + 表单 - + kilobytes Kb - + Protect Box Root from access by unsandboxed processes 阻止沙盒外的进程访问沙盒文件夹根目录 - - + + TextLabel 文本标签 - + Show Password 显示密码 - + Enter Password 输入密码 - + New Password 新密码 - + Repeat Password - 重置密码 + 重复密码 - + Disk Image Size 磁盘映像大小 - + Encryption Cipher - 加密密钥 + 加密算法 - + Lock the box when all processes stop. 当所有进程停止时锁定沙盒。 @@ -63,55 +63,55 @@ CAddonManager - + Do you want to download and install %1? 是否下载并安装 %1 ? - + Installing: %1 正在安装:%1 - + Add-on not found, please try updating the add-on list in the global settings! 未找到加载项,请尝试在全局设置中更新加载项列表! - + Add-on Not Found 未找到加载项 - + Add-on is not available for this platform Addon is not available for this paltform 加载项在当前平台不适用 - + Missing installation instructions Missing instalation instructions 缺失安装指引 - + Executing add-on setup failed 加载项安装失败 - + Failed to delete a file during add-on removal 移除加载项时删除文件失败 - + Updater failed to perform add-on operation Updater failed to perform plugin operation 加载项更新失败 - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 加载项更新失败,错误: %1 @@ -160,17 +160,17 @@ 加载项安装失败! - + Do you want to remove %1? 是否要删除%1? - + Removing: %1 正在删除:%1 - + Add-on not found! 未找到加载项! @@ -191,12 +191,12 @@ CAdvancedPage - + Advanced Sandbox options 高级沙盒选项 - + On this page advanced sandbox options can be configured. 本页面用于配置沙盒的高级选项 @@ -247,18 +247,18 @@ 使用 Sandboxie 限权用户替代匿名令牌 - + Advanced Options 高级选项 - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox 阻止宿主上的沙盒化程序加载沙盒化动态链接库(.dll)文件 - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. 该功能可能对兼容性造成影响,因为它阻止了沙盒内的进程向主机进程写入数据,以及启动它们。 @@ -267,27 +267,27 @@ 阻止沙盒化窗口被捕获图像。 - + Prevent sandboxed windows from being captured 阻止捕获沙盒中程序的窗口图像。 - + This feature can cause a decline in the user experience because it also prevents normal screenshots. 这个功能可能造成用户体验下降,因为它也阻止正常的屏幕截图。 - + Shared Template 共享模板 - + Shared template mode 共享模板模式 - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -298,30 +298,40 @@ To disable this template for a sandbox, simply uncheck it in the template list.< 要为沙盒禁用此模板,只需在模板列表中取消选中它即可。 - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. 此选项不会向沙盒配置添加任何新设置,也不会根据模板中的移除设置删除沙盒的默认设置。 - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. 此选项将共享模板作为本地模板添加到沙盒配置中,还可以根据模板中的移除设置删除沙盒的默认设置。 - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. 此选项将共享模板中的设置添加到沙盒配置中,还可以根据模板中的移除设置删除沙盒的默认配置。 - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. 此选项不会向沙盒配置添加任何新设置,但可能会根据模板中的移除设置删除沙盒的默认配置。 - + Remove defaults if set 如果设置了默认值,则删除 + + + Shared template selection + 共享模板选择 + + + + This option specifies the template to be used in shared template mode. (%1) + 此选项指定在共享模板模式下使用的模板。 (%1) + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. @@ -332,17 +342,17 @@ To disable this template for a sandbox, simply uncheck it in the template list.< 要更改模板的设置,只需在“沙盒选项”下的“应用程序模板”列表中找到“共享模板”,然后双击它进行编辑。要为沙盒禁用此模板,只需在模板列表中取消选中即可。 - + Disabled 禁用 - + Use as a template 作为模板使用 - + Append to the configuration 追加到配置中 @@ -377,7 +387,7 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Welcome to the Troubleshooting Wizard for Sandboxie-Plus. This interactive assistant is designed to help you in resolving sandboxing issues. - 欢迎使用 Sandboxie Plus 故障排除向导。这个交互式助手旨在帮助您解决沙盒问题。 + 欢迎使用 Sandboxie-Plus 故障排除向导。这个交互式助手旨在帮助您解决沙盒问题。 @@ -430,7 +440,7 @@ To disable this template for a sandbox, simply uncheck it in the template list.< V4ScriptDebuggerBackend could not be instantiated, probably V4ScriptDebugger.dll and or its dependencies are missing, script debugger could not be opened. V4ScriptDebuggerBackend could not be instantiated, probably V4ScriptDebugger.dll and or its dependencies are missing, script debuger could not be opened. - 无法实例化V4ScriptDebuggerBackend,可能是缺少V4ScriptDebugger.dll及其依赖项,脚本调试器无法打开。 + 无法实例化 V4ScriptDebuggerBackend ,可能是缺少 V4ScriptDebugger.dll 及其依赖项,脚本调试器无法打开。 @@ -486,26 +496,25 @@ To disable this template for a sandbox, simply uncheck it in the template list.< 输入磁盘映像加密密码以导入映像备份: - + kilobytes (%1) Kb (%1) - + Passwords don't match!!! - 输入的密码不正确! + 输入的密码不正确!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? 警告:短密码非常容易被暴力破解! - -推荐使用长度至少为 20 字符以上的密码。或者,您确认使用短密码吗? + 推荐使用长度至少为 20 字符以上的密码。或者,您仍要使用短密码吗? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -514,7 +523,7 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a 如果使用 Leet(L337) 密语,则增加到 512 位熵,如果完全由随机的可打印 ASCII 字符组成,则允许超过 768 位熵。 - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. 磁盘映像大小至少为 256MB,推荐设置为 2GB。 @@ -530,98 +539,99 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox 创建新沙盒 - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. 沙盒将您的主机系统与沙盒内运行的进程隔离开来,防止它们对计算机中的其他程序和数据进行永久更改。 - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. - 沙盒将主机系统与在沙盒内运行的进程隔离开来,可以防止它们对计算机中的其它程序和数据进行永久性的更改。隔离级别会影响您的安全性以及与应用程序的兼容性,因此根据所选的沙盒类型会有不同的隔离级别。此外沙盒还可以保护你的个人数据不被受限制下运行的进程的访问 + 沙盒可以将主机系统与在沙盒内运行的进程隔离开来,防止它们对计算机中的其它程序和数据进行永久性的更改。 + 隔离级别会影响您的安全性以及与应用程序的兼容性,因此根据所选的沙盒类型会有不同的隔离级别。 + 此外,Sandboxie 还可以保护你的个人数据不被受限制下运行的进程的访问 - + Enter box name: 输入沙盒名称: - + Select box type: Sellect box type: 选择沙盒类型: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> 具有<a href="sbie://docs/privacy-mode">数据保护</a>且具有<a href="sbie://docs/security-mode">安全强化</a>的沙盒 - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. - 该沙盒类型通过显著减少主机暴露于沙盒进程的攻击面来提供最高级别的保护。 -并且它严格限制进程对用户数据的访问,该沙盒中的进程仅被允许访问 %SystemRoot% (一般为C:\Windows) 和 %ProgramW6432%(一般为C:\Program Files)目录。 -全部的用户数据及文件对沙盒进程保持隐藏状态,确保最大程度的安全性。 + 该沙盒类型通过显著减少主机暴露于沙盒进程的攻击面来提供最高级别的保护,并且它严格限制进程对用户数据的访问。 +该沙盒中的进程仅被允许访问 %SystemRoot% (一般为 C:\Windows) 和 %ProgramW6432%(一般为 C:\Program Files)目录。因此,所有用户数据及文件将对沙盒进程保持隐藏状态,确保了它们最大程度的安全性。 - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox 具有<a href="sbie://docs/security-mode">安全强化</a>的沙盒 - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. 该沙盒类型通过显著主机减少暴露于沙盒进程的攻击面来提供最高级别的保护。 - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> 具有<a href="sbie://docs/privacy-mode">数据保护</a>的沙盒 - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. 在该沙盒类型中,任何沙盒进程都将被阻止访问任何个人用户文件和数据。 保护的重点是保护用户数据,因此,该沙盒中运行的进程只能访问 %SystemRoot% (一般为C:\Windows)和 %ProgramW6432%(一般为C:\Program Files)以及Sandboxie安装目录。 这可确保个人文件的安全。 - + Standard Sandbox 标准沙盒 - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. 该沙盒类型提供 Sandboxie Classic 的默认行为。 它为用户提供了熟悉且可靠的沙盒方案。 应用程序可以在该沙盒内运行,并确保它们操作受控且隔离的运行空间。 - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> 具有<a href="sbie://docs/privacy-mode">数据保护</a>的<a href="sbie://docs/compartment-mode">应用程序隔离</a>沙盒 - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. 该沙盒类型优先考虑兼容性,同时仍然提供良好的隔离级别。 它被设计用于在单独隔离的沙盒中运行受信任的应用程序。 虽然与其他沙盒类型相比,其隔离级别有所降低,但它提供了与各种应用程序的更高兼容性,确保该沙盒环境中应用的平稳运行。 - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">应用程序隔离</a>沙盒 - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">加密</a> 沙盒内容并设置 <a href="sbie://docs/black-box">证书</a> @@ -630,7 +640,7 @@ While the level of isolation is reduced compared to other box types, it offers i <a href="sbie://docs/boxencryption">加密</a> <a href="sbie://docs/black-box">证书</a> 沙盒 - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. @@ -638,42 +648,42 @@ This ensures the utmost level of privacy and data protection within the confiden 当虚拟磁盘映像被挂载时,只有沙盒内的程序可以访问它,而其他进程将会被阻止访问。这确保了在该沙盒环境中最高级别的隐私和数据保护。 - + Hardened Sandbox with Data Protection 带有数据保护的加固型沙盒 - + Security Hardened Sandbox 安全防护加固型沙盒 - + Sandbox with Data Protection 带有数据保护的沙盒 - + Standard Isolation Sandbox (Default) 标准隔离沙盒(默认) - + Application Compartment with Data Protection 带有数据保护的应用隔间 - + Application Compartment Box 应用程序隔离沙盒 - + Confidential Encrypted Box 证书加密沙盒 - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? 使用加密沙盒需要安装 ImDisk 驱动,您要下载安装它吗? @@ -683,17 +693,17 @@ This ensures the utmost level of privacy and data protection within the confiden 应用隔间(无隔离防护) - + Remove after use 在使用结束后删除 - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. 在沙盒中所有进程结束后,沙盒中所有数据及沙盒本身将会被删除 - + Configure advanced options 高级选项 @@ -972,7 +982,7 @@ Error: %1 Thank you for using the Troubleshooting Wizard for Sandboxie-Plus. We apologize for any inconvenience you experienced during the process. If you have any additional questions or need further assistance, please don't hesitate to reach out. We're here to help. Thank you for your understanding and cooperation. You can click Finish to close this wizard. - 感谢您使用 Sandboxie Plus 的故障排除向导。对于在此过程中给您带来的不便,我们深表歉意。如果您有任何其他问题或需要进一步帮助,请随时联系。我们随时为你悉心服务。感谢您的理解与合作。 + 感谢您使用 Sandboxie-Plus 的故障排除向导。对于在此过程中给您带来的不便,我们深表歉意。如果您有任何其他问题或需要进一步帮助,请随时联系。我们随时为你悉心服务。感谢您的理解与合作。 您可以单击“完成”关闭此向导。 @@ -980,7 +990,7 @@ You can click Finish to close this wizard. Thank you for using the Troubleshooting Wizard for Sandboxie-Plus. We apologize for any inconvenience you experienced during the process.If you have any additional questions or need further assistance, please don't hesitate to reach out. We're here to help. Thank you for your understanding and cooperation. You can click Finish to close this wizard. - 感谢您使用 Sandboxie Plus 的故障排除向导。对于在此过程中给您带来的不便,我们深表歉意。如果您有任何其他问题或需要进一步帮助,请随时联系。我们随时为你悉心服务。感谢您的理解与合作。 + 感谢您使用 Sandboxie-Plus 的故障排除向导。对于在此过程中给您带来的不便,我们深表歉意。如果您有任何其他问题或需要进一步帮助,请随时联系。我们随时为你悉心服务。感谢您的理解与合作。 您可以单击“完成”关闭此向导。 @@ -993,36 +1003,64 @@ You can click Finish to close this wizard. Sandboxie-Plus - 导出沙盒 - + + 7-Zip + 7-Zip + + + + Zip + Zip + + + Store 仅储存 - + Fastest 极速压缩 - + Fast 快速压缩 - + Normal 标准压缩 - + Maximum 紧凑压缩 - + Ultra 极限压缩 + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + Sandboxie-Plus - 导入沙盒 + + + + Select Directory + 选择目录 + + + + This name is already in use, please select an alternative box name + 名称已占用,请选择其他沙盒名 + + CFileBrowserWindow @@ -1072,13 +1110,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure 沙盒位置与行为 - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -1087,64 +1125,64 @@ You can use %USER% to save each users sandbox to an own fodler. 可以使用 %USER% 来将用户拥有的沙盒存储到自身的用户目录下 - + Sandboxed Files 沙盒化文件 - + Select Directory 选择目录 - + Virtualization scheme 虚拟化方案 - + Version 1 版本 1 - + Version 2 版本 2 - + Separate user folders 区分用户文件夹 - + Use volume serial numbers for drives 使用驱动器的卷序列号 - + Auto delete content when last process terminates 当所有进程结束后删除所有内容 - + Enable Immediate Recovery of files from recovery locations 启用立即恢复功能 - + The selected box location is not a valid path. The sellected box location is not a valid path. 所选的沙盒存储路径无效 - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? 所选的沙盒存储路径不是空的,推荐选择空文件夹或新建文件夹。确定要使用当前选择的文件夹吗? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. 所选的沙盒存储路径所在的驱动器当前不可用 @@ -1286,83 +1324,83 @@ You can use %USER% to save each users sandbox to an own fodler. CIsolationPage - + Sandbox Isolation options 沙盒隔离选项 - + On this page sandbox isolation options can be configured. 在这个页面上沙盒隔离选项可以被配置。 - + Network Access 网络权限 - + Allow network/internet access 允许网络访问 - + Block network/internet by denying access to Network devices 通过阻止访问网络设备禁用网络权限 - + Block network/internet using Windows Filtering Platform 通过 Windows 筛选平台 (WFP) 禁用网络权限 - + Allow access to network files and folders 允许访问网络文件与文件夹 - - + + This option is not recommended for Hardened boxes 不推荐安全加固型沙盒启用该选项 - + Prompt user whether to allow an exemption from the blockade 提示用户是否允许豁免封锁 - + Admin Options 管理员选项 - + Drop rights from Administrators and Power Users groups - 撤销管理员和 Power Users (Windows Vista 以前 及之后的 专业版 Windows 系统) 用户组的权限 + 撤销管理员和 Power Users (Windows Vista 以前和之后的 专业版 Windows 系统) 用户组的权限 - + Make applications think they are running elevated 让应用认为自身在管理员权限下运行 - + Allow MSIServer to run with a sandboxed system token 允许 MSIServer 使用沙盒化的系统令牌运行 - + Box Options 沙盒选项 - + Use a Sandboxie login instead of an anonymous token 使用 Sandboxie 限权用户替代匿名令牌 - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. 使用一个自定义Sandboxie令牌来允许更好地互相隔离特定沙盒,并且它在任务管理器某一进程所属的用户列中显示沙盒名称。但一些第三方安全方案可能与自定义令牌产生问题。 @@ -1464,24 +1502,25 @@ You can use %USER% to save each users sandbox to an own fodler. 该沙盒的文件将会存储在加密的容器文件中,注意:容器头的任何损坏都可能导致容器内文件不可读取(这等同于损坏硬盘的引导分区)。同时,可能导致不限于蓝屏、死机、存储设备故障、或沙盒中恶意程序随机覆写文件。该功能以严格遵守 <br />无备份、不宽容<br />的形式提供,您需要自行为该加密沙盒中的文件承担风险。 <br /><br />如果您同意为您的数据自行承担风险则选择 [确认], 否则 [取消]. - + Add your settings after this line. 在此行之后添加您的设置。 - + + Shared Template 共享模板 - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. 新沙盒将按照新的 <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">虚拟化方案 2</a>创建,如果您在使用该沙盒的时候遇到任何问题,请尝试切换至旧版本的虚拟化方案并反馈相应的问题,该选项可以在沙盒结构菜单中找到。 - + Don't show this message again. 不再显示此消息 @@ -1497,38 +1536,38 @@ You can use %USER% to save each users sandbox to an own fodler. COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? 您是否想检查 Sandboxie-Plus 的更新版本? - + Don't show this message again. 不再显示此消息 - + Checking for updates... 正在检查更新... - + server not reachable 无法连接到服务器 - - + + Failed to check for updates, error: %1 检查更新失败,错误:%1 - + <p>Do you want to download the installer?</p> <p>是否下载此安装程序?</p> - + <p>Do you want to download the updates?</p> <p>是否下载此更新包?</p> @@ -1537,75 +1576,75 @@ You can use %USER% to save each users sandbox to an own fodler. <p>是否跳转到<a href="%1">更新页面</a>?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>是否前往<a href="%1">下载页面</a>?</p> - + Don't show this update anymore. 不再显示此次更新 - + Downloading updates... 正在下载更新... - + invalid parameter 无效参数 - + failed to download updated information failed to download update informations 无法获取更新信息 - + failed to load updated json file failed to load update json file 加载更新 Json 文件失败 - + failed to download a particular file 未能下载特定文件 - + failed to scan existing installation 未能扫描现有的安装 - + updated signature is invalid !!! update signature is invalid !!! 更新包签名无效 !!! - + downloaded file is corrupted 下载的文件已损坏 - + internal error 内部错误 - + unknown error 未知错误 - + Failed to download updates from server, error %1 从服务器下载更新失败,错误 %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Sandboxie-Plus 的更新已下载。</p><p>是否要安装更新?本操作需要终止所有沙盒中运行的程序。</p> @@ -1614,7 +1653,7 @@ You can use %USER% to save each users sandbox to an own fodler. 未能从以下位置下载文件: %1 - + Downloading installer... 正在下载安装程序... @@ -1623,27 +1662,27 @@ You can use %USER% to save each users sandbox to an own fodler. 从 %1 下载安装程序失败 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>一个新的 Sandboxie-Plus 安装程序已被下载到以下位置:</p><p><a href="%2">%1</a></p><p>是否安装?本操作需要终止所有沙盒中运行的程序。</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>您是否要前往< "%1">信息页</a>?</p> - + Don't show this announcement in the future. 不再显示此公告 - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>Sandboxie-Plus 存在可用的新版本,<br /><font color='red'><b>新版本: </b></font> <b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1652,11 +1691,11 @@ Do you still want to update? 您确定要进行更新吗? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. - 当前没有可用的更新, Sandboxie Plus 已是最新版本。 + 当前没有可用的更新, Sandboxie-Plus 已是最新版本。 注意: 更新检查通常落后于 GitHub 发布的版本,以确保只提供经过测试的更新 @@ -1676,165 +1715,165 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - + Sandboxie Plus - '%1' Options - Sandboxie Plus - '%1' 选项 + Sandboxie-Plus - '%1' 选项 - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. 对选定的进程启用 Win32 挂钩(注意:需要先启用全局范围的 Win32k 系统调用挂钩支持) - + Enable crash dump creation in the sandbox folder 启用在沙盒目录下创建崩溃转储文件 - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. 始终应用 ElevateCreateProcess 修复,偶尔会被程序兼容性助手(PCA)调用 - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes 启用不一致的特殊 PreferExternalManifest 行为支持,修复 Microsoft Edge 存在的某些问题可能需要打开此选项 - + Set RpcMgmtSetComTimeout usage for specific processes 为特定进程设置 RpcMgmtSetComTimeout 选项 - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. 使得一个禁止被复制文件的写入句柄调用失败,而不是将其变成只读 - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. 让特定进程认为它们具有管理员权限 - + Force specified processes to wait for a debugger to attach. 强制指定的进程等待调试器附加 - + Sandbox file system root 沙盒文件系统根目录 - + Sandbox registry root 沙盒注册表根目录 - + Sandbox ipc root 沙盒 IPC 根目录 - - + + bytes (unlimited) 字节(无限制) - - + + bytes (%1) 字节 (%1) - + unlimited 无限制 - + Add special option: 添加特殊选项: - - + + On Start 沙盒启动阶段 - - - - - + + + + + Run Command 执行命令 - + Start Service 启动服务 - + On Init 沙盒初始阶段 - + On File Recovery 文件恢复阶段 - + On Delete Content 内容删除阶段 - + On Terminate 在沙盒终止时 - - - - - + + + + + Please enter the command line to be executed 请输入需要执行的命令行 - + Please enter a program file name to allow access to this sandbox 输入允许访问该沙盒的程序名 - + Please enter a program file name to deny access to this sandbox 输入不允许访问该沙盒的程序名 - + Deny 拒绝(禁止) - + %1 (%2) %1 (%2) - + Failed to retrieve firmware table information. 检索固件表信息失败。 - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. 固件表已成功保存到主机注册表:HKEY_CURRENT_USER\System\SbieCustom<br/>您可以将其复制到沙盒注册表,为每个沙盒设置不同的值。 @@ -1881,7 +1920,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Hardened Sandbox with Data Protection - 带数据保护的加固型沙盒 + 带有数据保护功能的加固型沙盒 @@ -1891,7 +1930,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Sandbox with Data Protection - 带数据保护的沙盒 + 带有数据保护功能的沙盒 @@ -1901,7 +1940,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Application Compartment with Data Protection - 带数据保护的应用隔间 + 带有数据保护功能的应用隔间 Application Compartment (NO Isolation) @@ -1918,127 +1957,127 @@ Note: The update check is often behind the latest GitHub release to ensure that 应用隔间 - + Custom icon 自定义图标 - + Version 1 版本 1 - + Version 2 版本 2 - + Browse for Program 浏览程序 - + Open Box Options 打开沙盒选项 - + Browse Content 浏览内容 - + Start File Recovery 开始恢复文件 - + Show Run Dialog 显示运行对话框 - + Indeterminate 不确定 - + Backup Image Header 备份映像头 - + Restore Image Header 恢复映像头 - + Change Password 更改密码 - - + + Always copy 始终复制 - - + + Don't copy 不要复制 - - + + Copy empty 复制空的副本 - + The image file does not exist 磁盘映像文件不存在 - + The password is wrong 输入的密码不正确 - + Unexpected error: %1 意外错误:%1 - + Image Password Changed 映像密码已更改 - + Backup Image Header for %1 备份 %1 的映像头 - + Image Header Backuped 映像头已备份 - + Restore Image Header for %1 恢复 %1 的映像头 - + Image Header Restored 映像头已恢复 - - + + Browse for File 浏览文件 @@ -2049,98 +2088,98 @@ Note: The update check is often behind the latest GitHub release to ensure that 浏览文件夹 - + File Options 文件选项 - + Grouping 分组 - + Add %1 Template 添加 %1 模板 - + Search for options 搜索选项 - + Box: %1 沙盒: %1 - + Template: %1 模板: %1 - + Global: %1 全局: %1 - + Default: %1 默认: %1 - + This sandbox has been deleted hence configuration can not be saved. 该沙盒已被删除,因此无法保存配置 - + Some changes haven't been saved yet, do you really want to close this options window? 部分变更未保存,您确定要关闭这个选项窗口吗? - + kilobytes (%1) KB (%1) - + Select color 选择颜色 - + Select Program 选择程序 - + Please enter a service identifier 请输入一个服务标识符 - + Executables (*.exe *.cmd) 可执行文件 (*.exe *.cmd) - - + + Please enter a menu title 请输入一个菜单标题 - + Please enter a command 请输入一则命令 - - + + - - + + @@ -2153,7 +2192,7 @@ Note: The update check is often behind the latest GitHub release to ensure that 请输入新组的名称 - + Enter program: 请输入程序: @@ -2163,46 +2202,72 @@ Note: The update check is often behind the latest GitHub release to ensure that 请先选择组 - - + + Process 进程 - - + + Folder 文件夹 - + Children 子进程 - - - + + Document + 文档 + + + + + Select Executable File 选择可执行文件 - - - + + + Executable Files (*.exe) 可执行文件 (*.exe) - + + Select Document Directory + 选择文档目录 + + + + Please enter Document File Extension. + 请输入文档文件扩展名。 + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + 出于安全原因,不允许创建完全是通配符的BreakoutDocument预设。 + + + + For security reasons the specified extension %1 should not be broken out. + 出于安全原因,不应分离指定的扩展名%1。 + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? 强制指定文件夹很可能会损坏 Windows,你确定要继续吗? - - + + Select Directory @@ -2341,13 +2406,13 @@ Note: The update check is often behind the latest GitHub release to ensure that 所有文件 (*.*) - + - - - - + + + + @@ -2383,8 +2448,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -2537,7 +2602,7 @@ Please select a folder which contains this file. Block by denying access to Network devices - 阻止访问 - 通过禁止访问网络设备 + 阻止访问 - 禁止访问网络设备 @@ -2565,7 +2630,7 @@ Please select a folder which contains this file. 进入:IP或端口号不能为空 - + Allow @@ -2638,12 +2703,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss 关闭 - + Remove this progress indicator from the list 移除列表中的该进程标识符 @@ -2651,42 +2716,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process 记住对此进程的选择 - + Yes - + No - + Terminate 终止 - + Yes and add to allowed programs 是且添加到允许的程序 - + Requesting process terminated 请求的进程已终止 - + Request will time out in %1 sec 请求将在 %1 秒后超时 - + Request timed out 请求超时 @@ -2694,67 +2759,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: 恢复到: - + Browse 浏览 - + Clear folder list 清除文件夹列表 - + Recover 恢复 - + Recover the file to original location 恢复文件到原路径 - + Recover && Explore 恢复并浏览 - + Recover && Open/Run 恢复并打开/运行 - + Open file recovery for this box 针对此沙盒打开文件恢复 - + Dismiss 关闭 - + Don't recover this file right now 目前暂不恢复此文件 - + Dismiss all from this box 对此沙盒忽略全部 - + Disable quick recovery until the box restarts 在沙盒重启前禁用快速恢复 - + Select Directory 选择目录 @@ -2816,7 +2881,7 @@ The file was written by: %3 Migrating a large file %1 into the sandbox %2, %3 left. Full path: %4 - 迁移一个大文件 %1 到沙盒 %2,剩余 %3 + 正在迁移大文件 %1 到沙盒 %2,剩余 %3 完整路径:%4 @@ -2894,37 +2959,42 @@ Full path: %4 - + Select Directory 选择目录 - + + No Files selected! + 未选择文件! + + + Do you really want to delete %1 selected files? 是否删除 %1 选中的文件? - + Close until all programs stop in this box 关闭,在沙盒内全部程序停止后再显示 - + Close and Disable Immediate Recovery for this box 关闭并禁用此沙盒的立即恢复功能 - + There are %1 new files available to recover. 有 %1 个新文件可供恢复 - + Recovering File(s)... 正在恢复文件…… - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. There are %1 files and %2 folders in the sandbox, occupying %3 bytes of disk space. 此沙盒中共有 %1 个文件和 %2 个文件夹,占用了 %3 磁盘空间 @@ -2963,19 +3033,19 @@ Error: Configure <b>Sandboxie-Plus</b> updater - 配置 <b>Sandboxie Plus</b> 更新程序 + 配置 <b>Sandboxie-Plus</b> 更新程序 Like with any other security product, it's important to keep your Sandboxie-Plus up to date. Like with any other security product it's important to keep your Sandboxie-Plus up to date. - 与任何其他安全产品一样,保持 Sandboxie Plus 的最新状态很重要。 + 与任何其他安全产品一样,保持 Sandboxie-Plus 的最新状态很重要。 Regularly check for all updates to Sandboxie-Plus and optional components Regularly Check for all updates to Sandboxie-Plus and optional components - 定期检查 Sandboxie Plus 和所有可选组件的更新 + 定期检查 Sandboxie-Plus 和所有可选组件的更新 @@ -2986,18 +3056,18 @@ Error: Check for new Sandboxie-Plus versions: - 检查 Sandboxie Plus 的更新版本: + 检查 Sandboxie-Plus 的更新版本: Check for new Sandboxie-Plus builds. - 检查 Sandboxie Plus 的更新版本。 + 检查 Sandboxie-Plus 的更新版本。 Select in which update channel to look for new Sandboxie-Plus builds: Sellect in which update channel to look for new Sandboxie-Plus builds: - 选择要在哪个更新通道查找新的 Sandboxie Plus 版本: + 选择要在哪个更新通道查找新的 Sandboxie-Plus 版本: @@ -3084,22 +3154,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 正在等待文件夹: %1 - + Deleting folder: %1 正在删除文件夹: %1 - + Merging folders: %1 &gt;&gt; %2 正在合并文件夹: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... 正在完成快照合并... @@ -3107,37 +3177,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled 禁用 - + OPEN Root Access 开放 Root 根权限 - + Application Compartment 应用隔间 - + NOT SECURE 不安全 - + Reduced Isolation 削弱隔离 - + Enhanced Isolation 加强隔离 - + Privacy Enhanced 隐私增强 @@ -3146,32 +3216,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, API 日志 - + No INet (with Exceptions) 无 INet (允许例外) - + No INet 无网络 - + Net Share 网络共享 - + No Admin 无管理员 - + Auto Delete 自动删除 - + Normal 标准 @@ -3205,22 +3275,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, 没有必沙程序 - + Reset Columns 重置列 - + Copy Cell 复制此格 - + Copy Row 复制此行 - + Copy Panel 复制此表 @@ -3507,7 +3577,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus 关于 Sandboxie-Plus @@ -3716,9 +3786,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. 不再显示此消息 @@ -3818,49 +3888,49 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a 安装 - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - 错误 - + Failed to stop all Sandboxie components 停止全部的 Sandboxie 组件失败 - + Failed to start required Sandboxie components 启动所需的 Sandboxie 组件失败 - + Sandboxie config has been reloaded 已重载沙盒配置文件 - + The supporter certificate is not valid for this build, please get an updated certificate 此赞助者证书对该版本沙盒无效,请获取可用的新证书 - + The supporter certificate has expired%1, please get an updated certificate 此赞助者证书已过期%1,请获取可用的新证书 - + , but it remains valid for the current build ,但它对当前构建的沙盒版本仍然有效 - + The supporter certificate will expire in %1 days, please get an updated certificate 此赞助者证书将在 %1 天后过期,请获取可用的新证书 - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> 选定的特性只对项目赞助者可用。如果没有赞助者证书,在启用该特性的沙盒里启动的进程,将在 5 分钟后被终止。<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">成为项目赞助者</a>,以获得<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">赞助者证书</a> @@ -3889,72 +3959,72 @@ Please check if there is an update for sandboxie. 是否要省略安装向导? - + Error Status: 0x%1 (%2) 错误状态: 0x%1 (%2) - + Unknown 未知 - + Failed to remove old box data files 无法删除旧沙盒中的数据文件 - + The operation was canceled by the user 该操作已被用户取消 - + Unknown Error Status: 0x%1 未知错误状态: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? 是否打开链接 %1?您可以选择是否使用沙盒中的浏览器打开。 - + Sandboxed 沙盒中的 - + Unsandboxed 沙盒外的 - + Case Sensitive 区分大小写 - + RegExp 正则表达式 - + Highlight 高亮显示 - + Close 关闭 - + &Find ... 查找(&F)... - + All columns 所有列 @@ -4028,20 +4098,20 @@ No will choose: %2 - 未连接 - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. 在沙盒 %2 中启动的程序 %1 将在 5 分钟之后自动终止,因为使用此沙盒被配置为项目赞助者的特供功能 - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. 沙盒 %1 被配置为使用项目赞助者专有的沙盒类型,这些预设选项将被忽略 - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">成为项目赞助者</a>,以获得<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">赞助者证书</a> @@ -4112,17 +4182,17 @@ No will choose: %2 - + Only Administrators can change the config. 仅管理员可更改该配置 - + Please enter the configuration password. 请输入配置保护密码 - + Login Failed: %1 登录失败:%1 @@ -4144,7 +4214,7 @@ No will choose: %2 正在导入:%1 - + Do you want to terminate all processes in all sandboxes? 确定要终止所有沙盒中的所有进程吗? @@ -4153,59 +4223,59 @@ No will choose: %2 终止所有且不再询问 - + No Recovery 没有恢复文件 - + No Messages 没有消息 - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus 正以便携模式启动,需要创建所需的服务,这将会寻求管理员权限 - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. 警告:另一代理程序 (可能是 SbieCtrl.exe) 已接管当前 Sandboxie 会话,请将其关闭,然后尝试重新连接以接管控制 - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. - <b>错误:</b>Sandboxie Plus管理器(SandMan.exe)没有有效的签名(SandMan.exe.sig)。请从<a href="https://sandboxie-plus.com/go.php?to=sbie-get">官方下载</a>。 + <b>错误:</b>Sandboxie-Plus管理器(SandMan.exe)没有有效的签名(SandMan.exe.sig)。请从<a href="https://sandboxie-plus.com/go.php?to=sbie-get">官方下载</a>。 - + Maintenance operation completed 维护作业完成 - + Executing maintenance operation, please wait... 正在执行操作维护,请稍候... - + In the Plus UI, this functionality has been integrated into the main sandbox list view. 在 Plus 视图,此功能已被整合到主沙盒列表中 - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. 使用“沙盒/组”右键菜单,你可以将沙盒在沙盒组之间移动 同时,你也可以通过 Alt + 方向键或鼠标拖动来整理列表 另外,你可以通过右键菜单来新建“沙盒/组” - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? 请确认是否要重置已隐藏的消息框(选“是”),或者仅重置所有日志消息(选“否”)? - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4214,123 +4284,123 @@ This file is part of Sandboxie and all changed done to it will be reverted next 因为该文件是 Sandboxie 的一部分并且所有的更改会在下次更新时被重置 - + The changes will be applied automatically whenever the file gets saved. 当文件被保存时,将自动应用更改 - + The changes will be applied automatically as soon as the editor is closed. 编辑器被关闭后,更改将很快自动应用 - + Administrator rights are required for this operation. 此操作需要管理员权限 - + Failed to execute: %1 执行失败:%1 - + Failed to connect to the driver 连接驱动程序失败 - + Failed to communicate with Sandboxie Service: %1 无法与 Sandboxie 服务通信:%1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 发现不兼容的 Sandboxie %1,其它兼容的版本:%2 - + Can't find Sandboxie installation path. 无法找到 Sandboxie 的安装路径 - + Failed to copy configuration from sandbox %1: %2 复制沙盒配置 %1: %2 失败 - + A sandbox of the name %1 already exists 名为 %1 的沙盒已存在 - + Failed to delete sandbox %1: %2 删除沙盒 %1: %2 失败 - + The sandbox name can not be longer than 32 characters. 沙盒名称不能超过 32 个字符 - + The sandbox name can not be a device name. 沙盒名称不能为设备名称 - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. 沙盒名称只能包含字母、数字和下划线(显示为空格) - + Failed to terminate all processes 终止所有进程失败 - + Delete protection is enabled for the sandbox 该沙盒已启用删除保护 - + All sandbox processes must be stopped before the box content can be deleted 在删除沙盒内容之前,必须先停止沙盒内的所有进程 - + Error deleting sandbox folder: %1 删除沙盒文件夹出错:%1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. 必须先停止沙盒中的所有进程,然后才能对其进行重命名。 - + A sandbox must be emptied before it can be deleted. 沙盒被删除前必须清空 - + Failed to move directory '%1' to '%2' 移动目录 '%1' 到 '%2' 失败 - + Failed to move box image '%1' to '%2' 无法将沙盒镜像“%1”移动到“%2” - + This Snapshot operation can not be performed while processes are still running in the box. 因有进程正在沙盒中运行,此快照操作无法完成 - + Failed to create directory for new snapshot 创建新快照的目录失败 @@ -4433,210 +4503,210 @@ This file is part of Sandboxie and all changed done to it will be reverted next - 仅用于非商业用途 - + Failed to configure hotkey %1, error: %2 配置快捷键 %1 失败,错误:%2 - - + + (%1) (%1) - + The box %1 is configured to use features exclusively available to project supporters. 沙盒 %1 被指定为仅对项目赞助者开放的功能。 - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. 沙盒 %1 被指定为需要更高级赞助许可证的功能。 - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">升级您的许可证</a> 以解锁高级功能。 - + The selected feature requires an <b>advanced</b> supporter certificate. 选择的功能需要更高级赞助许可证。 - + <br />you need to be on the Great Patreon level or higher to unlock this feature. <br />你需要在Patreon赞助上成为Great或更高级别以便解锁这个功能。 - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> 您所选择的特性仅适用于项目赞助者。<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">成为项目赞助者</a>, 获取一份 <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">赞助者证书</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! 您尝试使用的证书已被阻止,这意味着它已因故失效。任何使用该证书的企图都构成对使用条款的违反! - + The Certificate Signature is invalid! 证书的签名无效! - + The Certificate is not suitable for this product. 证书不适用于本产品。 - + The Certificate is node locked. 证书已被节点锁定。 - + The support certificate is not valid. Error: %1 赞助者证书无效。 错误:%1 - + The evaluation period has expired!!! The evaluation periode has expired!!! 已超过评估期限!!! - - + + Don't ask in future 此后不再询问 - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? 确定要终止加密沙盒中的所有进程并卸载加密沙盒吗? - + Please enter the duration, in seconds, for disabling Forced Programs rules. 请输入「停用必沙程序规则」的持续时间 (单位: 秒) - + Maintenance operation failed (%1) 维护作业执行失败 (%1) - + Failed to copy box data files 复制沙盒数据文件失败 - + Snapshot not found 没有找到快照 - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. 合并快照目录 '%1' 和 '%2' 出错,快照没有被完全合并 - + Failed to remove old snapshot directory '%1' 移除旧快照的目录 '%1' 失败 - + Can't remove a snapshot that is shared by multiple later snapshots 无法移除被多个后续快照所共享的快照 - + You are not authorized to update configuration in section '%1' 您未被授权在 '%1' 更新配置 - + Failed to set configuration setting %1 in section %2: %3 在 %2: %3 中设定配置设置 %1 失败 - + Can not create snapshot of an empty sandbox 无法为空的沙盒创建快照 - + A sandbox with that name already exists 已存在同名沙盒 - + The config password must not be longer than 64 characters 配置保护密码长度不能超过 64 个字符 - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted 无法删除已卸载的沙盒的内容 - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded 导入/导出不可用,无法加载 7z.dll - + Failed to create the box archive 无法创建沙盒存档 - + Failed to open the 7z archive 无法打开 7z 备份 - + Failed to unpack the box archive 无法解压沙盒备份 - + The selected 7z file is NOT a box archive 所选的 7z 文件不是沙盒备份 - + Operation failed for %1 item(s). %1 项操作失败。 - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> <h3>关于 Sandboxie+</h3><p>版本 %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 本 Sandboxie+ 副本已授权为: %1 - + Sandboxie-Plus is free for personal and non-commercial use. Sandboxie+ 可免费用于个人和其他非商业用途。 - + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> Sandboxie+ 是 Sandboxie 的开源延续。<br />前往 <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> 了解更多信息。<br /><br />%2<br /><br />特性: %3<br /><br />已安装: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />图标来自于 <a href="https://icons8.com">icons8.com</a> @@ -4645,7 +4715,7 @@ Error: %1 是否在沙盒中的浏览器打开链接 %1 ? - + Remember choice for later. 记住选择供之后使用 @@ -4928,38 +4998,38 @@ Error: %1 CSbieTemplatesEx - + Failed to initialize COM 无法初始化COM - + Failed to create update session 无法创建更新会话 - + Failed to create update searcher 无法创建更新搜索器 - + Failed to set search options 无法设置搜索选项 - + Failed to enumerate installed Windows updates Failed to search for updates 列举已安装的 Windows 更新 失败 - + Failed to retrieve update list from search result 无法从搜索结果中检索更新列表 - + Failed to get update count 无法获取更新计数 @@ -4967,347 +5037,347 @@ Error: %1 CSbieView - - + + Create New Box 新建沙盒 - + Remove Group 移除组 - - + + Run 运行 - + Run Program 运行程序(Run) - + Run from Start Menu 从开始菜单运行 - + Default Web Browser 默认浏览器 - + Default eMail Client 默认电子邮件客户端 - + Windows Explorer Windows 资源管理器 - + Registry Editor 注册表编辑器 - + Programs and Features 程序和功能 - + Terminate All Programs 终止所有程序 - - - - - + + + + + Create Shortcut 创建快捷方式 - - + + Explore Content 浏览内容 - - + + Snapshots Manager 快照管理器 - + Recover Files 文件恢复 - - + + Delete Content 删除内容 - + Sandbox Presets 预置配置 - + Ask for UAC Elevation 询问 UAC 提权 - + Drop Admin Rights 撤销管理员权限 - + Emulate Admin Rights 模拟管理员权限 - + Block Internet Access 拦截网络访问 - + Allow Network Shares 允许网络共享 - + Sandbox Options 沙盒选项 - + Standard Applications 标准应用程序 - + Browse Files 浏览文件 - - + + Sandbox Tools 沙盒工具 - + Duplicate Box Config 复制配置 - - + + Rename Sandbox 重命名沙盒 - - + + Move Sandbox 移动沙盒 - - + + Remove Sandbox 移除沙盒 - - + + Terminate 终止 - + Preset 预设 - - + + Pin to Run Menu 固定到运行菜单 - + Block and Terminate 阻止并终止 - + Allow internet access 允许网络访问 - + Force into this sandbox 强制入此沙盒 - + Set Linger Process 设置驻留进程 - + Set Leader Process 设置引导进程 - + File root: %1 文件根目录: %1 - + Registry root: %1 注册表根: %1 - + IPC root: %1 IPC 根: %1 - + Options: 选项: - + [None] [无] - + Please enter a new group name 请输入新的组名 - + Do you really want to remove the selected group(s)? 确定要移除选中的组吗? - - + + Create Box Group 新建沙盒组 - + Rename Group 重命名组 - - + + Stop Operations 停止操作 - + Command Prompt 命令提示符 - + Command Prompt (as Admin) 命令提示符 (管理员) - + Command Prompt (32-bit) 命令提示符 (32 位) - + Execute Autorun Entries 执行自动运行项目 - + Browse Content 浏览内容 - + Box Content 沙盒内容 - + Open Registry 打开注册表 - - + + Refresh Info 刷新信息 - - + + Import Box 导入沙盒 - - + + (Host) Start Menu 开始菜单(主机) - + Immediate Recovery 即时恢复 - + Disable Force Rules 禁用“强制必沙规则” - + Export Box 导出沙盒 - - + + Move Up 上移 - - + + Move Down 下移 @@ -5316,284 +5386,289 @@ Error: %1 运行 - + Run Web Browser 默认浏览器 - + Run eMail Reader 默认电子邮件客户端 - + Run Any Program 运行程序(Run) - + Run From Start Menu 从开始菜单运行 - + Run Windows Explorer Windows 资源管理器 - + Terminate Programs 终止程序 - + Quick Recover 快速恢复 - + Sandbox Settings 沙盒配置 - + Duplicate Sandbox Config 复制配置 - + Export Sandbox 导出沙盒 - + Move Group 移动组 - + Disk root: %1 磁盘路径: %1 - + Please enter a new name for the Group. 为此组指定新的名称 - + Move entries by (negative values move up, positive values move down): 将项目移动的距离(负数向上移动,正数向下移动): - + A group can not be its own parent. 组不能是自己的父级 - + 7-zip Archive (*.7z);;Zip Archive (*.zip) + 7-zip 压缩包 (*.7z);;Zip 压缩包 (*.zip) + + + Failed to open archive, wrong password? 无法打开备份,可能是密码不正确? - + Failed to open archive (%1)! 无法打开备份 (%1)! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + 7-zip 压缩包 (*.7z);;Zip 压缩包 (*.zip) + + This name is already in use, please select an alternative box name - 名称已占用,请选择其他沙盒名 + 名称已占用,请选择其他沙盒名 - Importing Sandbox - 正在导入沙盒 + 正在导入沙盒 - Do you want to select custom root folder? - 是否要选择一个自定义的根目录? + 是否要选择一个自定义的根目录? - + Importing: %1 正在导入:%1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. ⌈沙盒/组⌋名称不能使用 ',()' 等符号 - + This name is already used for a Box Group. 名称已被用于现有的其它沙盒组 - + This name is already used for a Sandbox. 名称已被用于现有的其它沙盒 - - - + + + Don't show this message again. 不再显示此消息 - - - + + + This Sandbox is empty. 此沙盒是空的 - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. 警告:打开的注册表编辑器未沙盒化,请审慎且仅对预先选定的沙盒节点进行修改 - + Don't show this warning in future 不再显示此警告 - + Please enter a new name for the duplicated Sandbox. 请为此复制的沙盒输入一个新名称 - + %1 Copy 沙盒名称只能包含字母、数字和下划线,不应对此处的文本进行翻译! %1 Copy - - + + Select file name 选择文件名 - - + + Mount Box Image 挂载磁盘映像 - - + + Unmount Box Image 卸载磁盘映像 - + Suspend 暂停 - + Resume 恢复 - - 7-zip Archive (*.7z) - 7-zip 备份 (*.7z) + 7-zip 备份 (*.7z) - + Exporting: %1 正在导出:%1 - + Please enter a new name for the Sandbox. 请为该沙盒输入新名称 - + Please enter a new alias for the Sandbox. 请输入沙盒的新别名。 - + The entered name is not valid, do you want to set it as an alias instead? 输入的名称无效,是否要将其设置为沙盒别名? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! 确定要删除选中的沙盒?<br /><br />警告:沙盒内的内容也将被删除! - + This Sandbox is already empty. 此沙盒已清空 - - + + Do you want to delete the content of the selected sandbox? 确定要删除选中沙盒的内容吗? - - + + Also delete all Snapshots 同时删除所有快照 - + Do you really want to delete the content of all selected sandboxes? 你真的想删除所有选定的沙盒的内容吗? - + Do you want to terminate all processes in the selected sandbox(es)? 确定要终止所选沙盒中的所有进程吗? - - + + Terminate without asking 终止且不再询问 - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. 现在将显示 Sandboxie 开始菜单。从菜单中选择一个应用程序,Sandboxie 将在真实桌面上创建一个新的快捷方式图标,你可以用它来调用所选受 Sandboxie 监督的应用程序。 - - + + Create Shortcut to sandbox %1 为沙盒 %1 创建快捷方式 - + Do you want to terminate %1? Do you want to %1 %2? 确定要终止 %1? - + the selected processes 选中的进程 - + This box does not have Internet restrictions in place, do you want to enable them? 此沙盒无互联网限制,确定启用吗? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? 此沙盒已禁用或仅限于特定组/用户,确定要编辑它吗? @@ -5638,145 +5713,145 @@ Error: %1 CSettingsWindow - + Sandboxie Plus - Global Settings - Sandboxie Plus - Settings - Sandboxie Plus - 全局设置 + Sandboxie-Plus - Global Settings + Sandboxie-Plus - 全局设置 - + Auto Detection 自动检测 - + No Translation 保持默认 - - + + Don't integrate links 不整合 - - + + As sub group 作为子组 - - + + Fully integrate 全面整合 - + Don't show any icon Don't integrate links 不显示 - + Show Plus icon Plus 版 - + Show Classic icon 经典版 - + All Boxes 所有沙盒 - + Active + Pinned 激活或已固定的沙盒 - + Pinned Only 仅已固定的沙盒 - + Close to Tray 关闭时最小化到托盘 - + Prompt before Close 在关闭前提示 - + Close 关闭 - + None - + Native 原生 - + Qt Qt - + %1 %1 % %1 - + HwId: %1 固件ID: %1 - + Search for settings 搜索设置 - - - + + + Run &Sandboxed 在沙盒中运行(&S) - + kilobytes (%1) Kb (%1) - + Volume not attached 未挂载卷 - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> <b>您已经使用了%1/%2个试用证书。无法生成更多免费证书了。</b> - + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> <b><a href="_">获取一个免费试用证书</a>体验高级功能 %1 天。</b> - + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. 对于每一个硬件ID,您最多可以请求%2次免费的%1天评估证书。 @@ -5785,7 +5860,7 @@ Error: %1 对于任何一个硬件ID,您最多可以请求%2次免费的%1天试用证书 - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 此赞助者证书已过期,请<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">更新证书</a>。 @@ -5794,216 +5869,216 @@ Error: %1 过期时间:%1天 - + Expires in: %1 days Expires: %1 Days ago 过期时间:%1天后 - + Expired: %1 days ago 已过期:%1天前 - + Options: %1 选项:%1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 隐私/安全增强& 应用沙盒(SBox): %1 - - - - + + + + Enabled 启用 - - - - + + + + Disabled 禁用 - + Encrypted Sandboxes (EBox): %1 加密沙盒 (EBox): %1 - + Network Interception (NetI): %1 网络监听(NetI): %1 - + Sandboxie Desktop (Desk): %1 沙盘桌面(Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - 这看起来不像是 Sandboxie Plus 的序列号<br/>如果您试图从证书中输入 UpdateKey 或 Signature ,无需这样做,请直接将整个证书输入到上面的文本区域。 + 这看起来不像是 Sandboxie-Plus 的序列号<br/>如果您试图从证书中输入 UpdateKey 或 Signature ,无需这样做,请直接将整个证书输入到上面的文本区域。 - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. 您尝试在未输入预先存在的赞助者证书的情况下使用功能升级密钥。请注意,这种类型的密钥(<b>正如网站上以粗体明确说明的那样</b)要求您拥有预先存在的有效赞助者证书; <br />如果您想使用高级功能,您需要同时获得标准证书和功能升级密钥来解锁高级功能。 - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. 您试图在未输入预先存在的赞助者证书的情况下使用续订密钥。请注意,这种类型的密钥(<b>正如网站上以粗体明确说明的那样</b)要求您拥有预先存在的有效赞助者证书;没有它是没有用的。 - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> <br /><br /><u>如果您没有阅读产品说明而错误地获取了此密钥,请通过电子邮件(在我们的网站上提供)联系我们来解决此问题。</u> - - + + Retrieving certificate... 正在检索证书... - + Sandboxie-Plus - Get EVALUATION Certificate Sandboxie-Plus - 申请试用证书 - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. 请输入您的电子邮件地址以接收免费的%1天试用证书,该证书将颁发给%2并锁定到当前硬件。 您最多可以为每个唯一的硬件ID请求%3个试用证书。 - + Error retrieving certificate: %1 Error retriving certificate: %1 检索证书时出错:%1 - + Unknown Error (probably a network issue) 未知错误(可能是网络问题) - + Home 主页 - + The evaluation certificate has been successfully applied. Enjoy your free trial! 试用证书已成功申请。 请开始免费试用! - + Sandboxed Web Browser 浏览器(沙盒) - - + + Notify 通知 - + Ignore 忽略 - + Every Day 每天 - + Every Week 每周 - + Every 2 Weeks 每2周 - + Every 30 days 每30天 - - + + Download & Notify 下载并通知 - - + + Download & Install 下载并安装 - + Browse for Program 浏览程序 - + Add %1 Template 添加 %1 模板 - + Select font 选择字体 - + Reset font 重置字体 - + %0, %1 pt %0, %1 磅 - + Please enter message 请输入信息 - + Select Program 选择程序 - + Executables (*.exe *.cmd) 可执行文件 (*.exe *.cmd) - - + + Please enter a menu title 请输入一个菜单标题 - + Please enter a command 请输入一则命令 @@ -6012,17 +6087,17 @@ You can request up to %3 evaluation certificates for each unique hardware ID.此赞助者证书已过期,请<a href="sbie://update/cert">获取新证书</a> - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> <br /><font color='red'>Plus 附加的高级功能将在 %1 天后被禁用</font> - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>对于当前安装的版本,Plus功能仍处于启用状态。</font>但是,您将无法再访问Sandboxie Live服务,包括兼容性更新和在线疑难解答数据库。 - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 此赞助者证书将<font color='red'>在 %1 天后过期</font>,请<a href="sbie://update/cert">更新证书</a>。 @@ -6031,37 +6106,37 @@ You can request up to %3 evaluation certificates for each unique hardware ID.正在检索证书… - + Contributor 贡献值 - + Eternal 终身 - + Business 商业 - + Personal 个人 - + Great Patreon Great Patreon - + Patreon Patreon - + Family 家庭 @@ -6070,12 +6145,12 @@ You can request up to %3 evaluation certificates for each unique hardware ID.订阅 - + Evaluation 评估 - + Type %1 类型 %1 @@ -6084,47 +6159,47 @@ You can request up to %3 evaluation certificates for each unique hardware ID.标准 - + Advanced 高级 - + Advanced (L) 高级 (L) - + Max Level 最高等级 - + Level %1 等级 %1 - + Supporter certificate required for access 需要赞助者证书进行访问 - + Supporter certificate required for automation 需要赞助者证书进行自动化动作 - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. 很遗憾,此证书对当前版本无效,您需要获取新证书或降级到早期版本。 - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. 尽管此证书已过期,但对于当前安装的版本,附加功能仍处于启用状态。但是,您将无法再访问Sandboxie Live服务,包括兼容性更新和在线疑难解答数据库。 - + This certificate has unfortunately expired, you need to get a new certificate. 很遗憾,此证书已过期,请获取新证书。 @@ -6133,7 +6208,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.<br /><font color='red'>在此版本中,Plus 附加的高级功能仍是可用的</font> - + <br />Plus features are no longer enabled. <br />Plus 附加的高级功能已不再可用 @@ -6147,22 +6222,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.需要赞助者证书 - + Run &Un-Sandboxed 在沙盒外运行(&U) - + Set Force in Sandbox 设置强制在沙盒中运行 - + Set Open Path in Sandbox 在沙盘中打开目录 - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. 这看起来不像是一份证书。请输入完整的证书,而不仅仅是其中的一部分。 @@ -6175,7 +6250,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.非常抱歉,此证书已过时 - + Thank you for supporting the development of Sandboxie-Plus. 感谢您对 Sandboxie-Plus 开发工作的支持 @@ -6184,88 +6259,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.此赞助者证书无效 - + Update Available 更新可用 - + Installed 已安装 - + by %1 来自 %1 - + (info website) (更多信息网址) - + This Add-on is mandatory and can not be removed. 此加载项是必需的,无法删除。 - - + + Select Directory 选择目录 - + <a href="check">Check Now</a> <a href="check">立即检查</a> - + Please enter the new configuration password. 请输入新的配置保护密码 - + Please re-enter the new configuration password. 请再次输入新的配置保护密码 - + Passwords did not match, please retry. 输入的密码不一致,请重新输入 - + Process 进程 - + Folder 文件夹 - + Please enter a program file name 请输入一个程序文件名 - + Please enter the template identifier 请输入模板标识符 - + Error: %1 错误:%1 - + Do you really want to delete the selected local template(s)? 你真的想删除选定的本地模板吗? - + %1 (Current) %1 (当前) @@ -6516,35 +6591,35 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox 创建新沙盒 - + Almost complete, click Finish to create a new sandbox and conclude the wizard. 即将就绪, 点击完成按钮结束沙盒创建向导 - + Save options as new defaults 保存选项为新的默认配置 - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) 以后不再显示总结页面 (除非启用高级选项) - + This Sandbox will be saved to: %1 该沙盒将保存到: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. @@ -6553,21 +6628,21 @@ This box's content will be DISCARDED when its closed, and the box will be r 该沙盒中的内容将在所有程序结束后被删除,同时沙盒本身将被移除 - + This box will DISCARD its content when its closed, its suitable only for temporary data. 该沙盒中的内容将在所有程序结束后被删除,因此仅适合临时数据 - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. 该沙盒中所有进程将无法访问网络和本地连接,以确保所有可访问的数据不被泄露 - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. @@ -6576,14 +6651,14 @@ This box will run the MSIServer (*.msi installer service) with a system token, t 该沙盒允许 MSIServer (*.msi 安装服务) 在沙盒内使用系统令牌运行,这将改善兼容性但会影响安全隔离效果 - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. 该沙盒中所有进程将认为其运行在管理员模式下,即使实际上并没有该权限,这有助于在安全加固型沙盒中运行安装程序 - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. @@ -6592,7 +6667,7 @@ Processes in this box will be running with a custom process token indicating the 该沙盒中的进程将会以沙盒专属的自定义进程证书运行 - + Failed to create new box: %1 无法创建新沙盒: %1 @@ -6622,7 +6697,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an This is a <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">exclusive Insider build</a> of Sandboxie-Plus it is only available to <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon Supporters</a> on higher tiers as well as to project contributors and owners of a HUGE supporter certificate. - 这是一份 <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider独占版本构建</a> 的Sandboxie Plus。其仅对于等级更高的(如项目贡献者,HUGE supporter证书拥有者)的<a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon 赞助者</a> 可用。 + 这是一份 <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider独占版本构建</a> 的Sandboxie-Plus。其仅对于等级更高的(如项目贡献者,HUGE supporter证书拥有者)的<a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon 赞助者</a> 可用。 @@ -7255,34 +7330,71 @@ If you are a great patreaon supporter already, sandboxie can check online for an 文件压缩 - + Compression 压缩 - + When selected you will be prompted for a password after clicking OK 选择后,你将需要在点击确定后根据提示输入密码 - + Encrypt archive content 加密压缩文件内容 - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. 固实压缩通过将多个文件视为单个连续数据块来提高压缩率。它是大量小文件的理想选择,会使归档更加紧凑,但可能会增加提取单个文件所需的时间。 - + Create Solide Archive 创建固实压缩包 - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - 将沙盒导出到7z压缩包,选择压缩率并自定义其他压缩设置。 + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + 将沙盒导出到压缩包,选择压缩率并自定义其他压缩设置。 + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + 将沙盒导出到7z或zip压缩包,选择压缩率并自定义其他压缩设置。 + + + + ExtractDialog + + + Extract Files + 提取文件 + + + + Import Sandbox from an archive + 从压缩文件导入沙盒 + + + + Import Sandbox Name + 导入沙盒名称 + + + + Box Root Folder + 沙盒根目录 + + + + ... + ... + + + + Import without encryption + 不加密导入 @@ -7326,12 +7438,12 @@ If you are a great patreaon supporter already, sandboxie can check online for an 沙盒选项 - + Appearance 外观 - + px Width 宽度(像素) @@ -7341,319 +7453,320 @@ If you are a great patreaon supporter already, sandboxie can check online for an 标题栏中的沙盒标识: - + Sandboxed window border: 沙盒内窗口边框: - - - - - - + + + + + + + Protect the system from sandboxed processes 保护系统免受沙盒内进程的影响 - + Elevation restrictions 提权限制 - + Block network files and folders, unless specifically opened. 拦截对网络文件和文件夹的访问,除非专门开放访问权限 - + Make applications think they are running elevated (allows to run installers safely) 使应用程序认为自己已被提权运行(允许安全地运行安装程序) - + Network restrictions 网络限制 - + Drop rights from Administrators and Power Users groups 撤销管理员和 Power Users 用户组的权限 - + (Recommended) (推荐) - + File Options 文件选项 - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates 当最后一个沙盒内的进程终止后自动删除内容更改 - + Copy file size limit: 复制文件大小限制: - + Box Delete options 沙盒删除选项 - + Protect this sandbox from deletion or emptying 保护此沙盒免受删除或清空 - - + + File Migration 文件迁移 - + Allow elevated sandboxed applications to read the harddrive 允许提权的沙盒内程序读取硬盘 - + Warn when an application opens a harddrive handle 有程序打开硬盘句柄时警示 - + kilobytes KB - + Issue message 2102 when a file is too large 文件太大时,提示问题代码 2102 - + Prompt user for large file migration 询问用户是否迁移大文件 - + Remove spooler restriction, printers can be installed outside the sandbox 解除打印限制,可在沙盒外安装打印机 - + Printing restrictions 打印限制 - + Open System Protected Storage 开放“系统保护的存储”权限 - + Allow the print spooler to print to files outside the sandbox 允许打印服务在沙盒外打印文件 - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. 警告:在内置的管理员用户下运行时,不能撤销进程的管理员权限 - + Block access to the printer spooler 阻止访问打印服务 - + Other restrictions 其它限制 - + Block read access to the clipboard 阻止访问系统剪贴板 - + Show this box in the 'run in box' selection prompt 在“在沙盒中运行”对话框中显示此沙盒 - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. 安全提示:在沙盒监管下运行的程序,若具有管理员或系统权限令牌,将有更多机会绕过沙盒的隔离,并修改沙盒外部的系统 - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required 允许 MSIServer 在沙盒内使用系统令牌运行,并在必要时给予其它限制权限的豁免 - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. 注意:MSI 安装程序的权限豁免不是必须的,但是如果在安装受信任的程序包时遇到问题,此选项可能会有助于成功完成安装,此外也可以尝试关闭「撤销管理员权限」选项 - + Run Menu 运行菜单 - + You can configure custom entries for the sandbox run menu. 可以在此处为沙盒列表的「运行」菜单配置自定义命令 - - - - - - - - - - - - - + + + + + + + + + + + + + Name 名称 - + Command Line 命令行 - + Add program 添加程序 - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove 移除 - - - - - - - + + + + + + + Type 类型 - + Program Groups 程序组 - + Add Group 添加组 - - - - - + + + + + Add Program 添加程序 - + Force Folder 必沙目录 - - - + + + Path 路径 - + Force Program 必沙程序 - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates 显示模板 - + General Configuration 常规配置 - + Box Type Preset: 沙盒类型预设配置: - + Box info 沙盒信息 - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>更多沙盒类型</b>仅<u>项目赞助者</u>可用,隐私增强沙盒<b><font color='red'>保护用户数据免受沙盒化的程序非法访问</font></b><br />如果你还不是赞助者,请考虑<a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">捐赠此项目</a>,来获得<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">赞助者证书</a><br />当然你也可以直接新建一个这些类型的沙盒进行测试,不过沙盒中运行的程序将在 5 分钟之后自动终止 @@ -7663,17 +7776,17 @@ If you are a great patreaon supporter already, sandboxie can check online for an 固定住此沙盒,以便总是在系统托盘列表显示 - + Open Windows Credentials Store (user mode) 开放 Windows 证书存储访问权限 (用户态) - + Prevent change to network and firewall parameters (user mode) 拦截对网络及防火墙参数的更改 (用户态) - + Force protection on mount 强制挂载保护 @@ -7682,244 +7795,243 @@ If you are a great patreaon supporter already, sandboxie can check online for an 阻止干预用户操作(移动鼠标,使窗口Z序靠前等) - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. 可以在此处将应用程序分组并给它们分配一个组名,程序组可用于代替程序名被用于某些设置,在此处定义的沙盒程序组将覆盖模板中定义的程序组 - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. 此处指定的程序或者指定位置中的程序,将自动进入此沙盒,除非已明确在其它沙盒中启动它 - + Force Children 强制子进程 - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>SECURITY ADVISORY</font>:</b> 将 <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 和/或 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> 结合 Open[File/Pipe]Path directives 功能会造成安全性下降。请在使用前阅读文档中相应选项的安全小节。 + <b><font color='red'>SECURITY ADVISORY</font>:</b> 将 <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 和/或 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> 结合 Open[File/Pipe]Path directives 功能会造成安全性下降。请在使用前阅读文档中相应选项的安全小节。 - - + + Stop Behaviour 停止行为 - + Stop Options 停止选项 - + Use Linger Leniency 使用停留宽容度 - + Don't stop lingering processes with windows 不要停止含有窗口的驻留进程 - + Start Restrictions 启动限制 - + Issue message 1308 when a program fails to start 程序启动失败时,提示问题代码 1308 - + Allow only selected programs to start in this sandbox. * 仅允许所选程序在此沙盒中启动 * - + Prevent selected programs from starting in this sandbox. 阻止所选的程序在此沙盒中启动 - + Allow all programs to start in this sandbox. 允许所有程序在此沙盒中启动 - + * Note: Programs installed to this sandbox won't be able to start at all. * 注意:安装在此沙盒里的程序将完全无法启动 - + Process Restrictions 程序限制 - + Issue message 1307 when a program is denied internet access 程序被拒绝访问网络时,提示问题代码 1307 - + Note: Programs installed to this sandbox won't be able to access the internet at all. 注意:安装在此沙盒中的程序将完全无法访问网络 - + Prompt user whether to allow an exemption from the blockade. 询问用户是否允许例外 - + Resource Access 资源访问 - - - - - - - - - - + + + + + + + + + + Program 程序 - - - - - - + + + + + + Access 访问 - + Add Reg Key 添加注册表键值 - + Add File/Folder 添加文件/文件夹 - + Add Wnd Class 添加窗口类 - + Add COM Object 添加 COM 对象 - + Add IPC Path 添加 IPC 路径 - + File Recovery 文件恢复 - + Add Folder 添加文件夹 - + Ignore Extension 忽略扩展名 - + Ignore Folder 忽略文件夹 - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. 启用快速恢复提示,以便快速恢复创建的文件 - + You can exclude folders and file types (or file extensions) from Immediate Recovery. 可以在此处从快速恢复中排除特定目录和文件类型(扩展名) - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. 当快速恢复功能被调用时,检查沙盒内的下列文件夹 - + Advanced Options 高级选项 - + Miscellaneous 杂项 - + Do not start sandboxed services using a system token (recommended) 不使用系统令牌启动沙盒化的服务 (推荐) - + Don't alter window class names created by sandboxed programs 不要改变由沙盒内程序创建的窗口类名 - - - - - - - + + + + + + + Protect the sandbox integrity itself 沙盒完整性保护 - - + + Compatibility 兼容性 - + Add sandboxed processes to job objects (recommended) 添加沙盒化进程到作业对象 (推荐) - + Force usage of custom dummy Manifest files (legacy behaviour) 强制使用自定义虚拟 Manifest 文件 (传统行为) - + Allow only privileged processes to access the Service Control Manager 仅允许特权进程访问“服务控制管理器” - + Emulate sandboxed window station for all processes 为所有进程模拟沙盒化窗口工作站 - + Open access to Windows Security Account Manager Open access to windows Security Account Manager 开放 Windows 安全帐户管理器 (SAM) 的访问权限 @@ -7929,62 +8041,62 @@ If you are a great patreaon supporter already, sandboxie can check online for an 隐藏进程 - + Add Process 添加进程 - + Hide host processes from processes running in the sandbox. 对沙盒内运行的进程隐藏宿主的进程 - + Don't allow sandboxed processes to see processes running in other boxes 不允许沙盒内的进程查看其它沙盒里运行的进程 - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. 此功能仅能阻止常见的一些,而不是所有的屏幕捕获方法。 - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. 防止移动鼠标、窗口前置和类似操作,这可能会导致游戏出现问题。 - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar 允许沙盒内窗口遮盖任务栏 - + Isolation 隔离 - + Only Administrator user accounts can make changes to this sandbox 仅管理员账户可以对这个沙盒做出更改 - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. 该设置可用于防止程序在未经用户知情或同意的情况下在已解锁的加密沙盒中运行。 - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. 在从外部源启动沙盒中的进程之前显示弹出警告 - + Limit restrictions 限制 @@ -7993,29 +8105,29 @@ If you are a great patreaon supporter already, sandboxie can check online for an 留空以禁用此设置(单位:KB) - - - + + + Leave it blank to disable the setting 留空以禁用此设置 - + Total Processes Number Limit: 进程数量限制: - + Job Object 作业对象 - + Total Processes Memory Limit: 所有进程内存占用限制: - + Single Process Memory Limit: 单个进程内存占用限制: @@ -8024,17 +8136,17 @@ If you are a great patreaon supporter already, sandboxie can check online for an 创建新的沙盒令牌,而不是对默认令牌降权 - + Restart force process before they begin to execute 在开始执行之前重新启动强制进程 - + These commands are run UNBOXED after all processes in the sandbox have finished. 沙盒中的所有进程结束后,这些命令将在无沙盒的环境下运行。 - + Don't allow sandboxed processes to see processes running outside any boxes 不允许沙盒内的进程查看任何沙盒外运行的进程 @@ -8049,22 +8161,22 @@ If you are a great patreaon supporter already, sandboxie can check online for an 一些程序通过 WMI(一个Windows内置数据库) 读取系统信息,而不是通过正常方式。例如,尽管已经打开 "隐藏其它沙盒" ,"tasklist.exe" 仍然可以通过访问 WMI 获取全部进程列表。开启此选项来阻止这些行为。 - + Users 用户 - + Restrict Resource Access monitor to administrators only 仅允许管理员访问“资源访问监视器” - + Add User 添加用户 - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. @@ -8073,67 +8185,67 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to 注意:沙盒的必沙程序及文件夹设置不适用于不能运行沙盒的系统用户 - + Tracing 跟踪 - + API call Trace (traces all SBIE hooks) API 调用跟踪 (跟踪所有 SBIE 钩子) - + COM Class Trace COM 类跟踪 - + IPC Trace IPC 跟踪 - + Key Trace 键值跟踪 - + GUI Trace GUI 跟踪 - + Security enhancements 安全增强 - + Use the original token only for approved NT system calls 只在经过批准的 NT 系统调用中使用原始令牌 - + Restrict driver/device access to only approved ones 将对“驱动程序/设备”的访问权限制在已知的终结点列表内 - + Enable all security enhancements (make security hardened box) 启用所有安全增强功能(安全防护加固型沙盒选项) - + Double click action: 双击动作: - + Separate user folders 隔离不同用户的文件夹 - + Box Structure 沙盒结构 @@ -8142,70 +8254,70 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to 图标 - - + + Move Up 上移 - - + + Move Down 下移 - + Security Options 安全选项 - + Security Hardening 安全加固 - + Security Isolation 安全隔离 - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. 注意:各种隔离功能会破坏与某些应用程序的兼容性<br />如果使用此沙盒<b>不是为了安全性</b>,而是为了应用程序的可移植性,可通过改变这些选项,以便通过牺牲部分安全性来恢复兼容性 - + Access Isolation 访问隔离 - + Image Protection 映像保护 - + Issue message 1305 when a program tries to load a sandboxed dll 当一个程序试图加载一个沙盒内部的动态链接库(.dll)文件时,提示问题代码 1305 - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox 阻止安装在宿主上的沙盒程序从沙盒内部加载DLL(动态链接库)文件 - + Dlls && Extensions Dll && 扩展 - + Description 说明 - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. @@ -8226,13 +8338,13 @@ This is done to prevent rogue processes inside the sandbox from creating a renam 使用主机映像保护,可以通过阻止在沙盒内运行的应用程序(安装在宿主上的)加载来自沙盒的动态链接库来防止此类现象 - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. 沙盒功能可以使用可选的.dll文件来获得增强,这些.dll文件可以在SbieDll.dll启动时加载到每个沙盒进程中。全局设置中的插件管理器提供了一些有用的扩展。安装后,就可以在这里为当前的沙盒启用。 - + Advanced Security Adcanced Security 安全性(高级) @@ -8242,83 +8354,104 @@ This is done to prevent rogue processes inside the sandbox from creating a renam 使用 Sandboxie 限权用户,而不是匿名令牌 (实验性) - + Other isolation 其它隔离 - + Privilege isolation 特权隔离 - + Sandboxie token 沙盒令牌 - - - + + Allow sandboxed processes to open files protected by EFS + 允许沙盒进程打开受EFS保护的文件 + + + + Open access to Proxy Configurations + 打开对代理配置的访问权限 + + + + File ACLs + 文件ACLs(访问控制列表) + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + 对沙盒内的文件和目录使用原始访问控制条目 (Access Control Entries) (对于MSIServer启用豁免) + + + + + unlimited 无限制 - - + + bytes 字节 - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. 使用自定义沙盒令牌可以更好地将各个沙盒相互隔离,同时可以实现在任务管理器的用户栏中显示进程所属的沙盒 但是,某些第三方安全解决方案可能会与自定义令牌产生兼容性问题 - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. 选中:一个本地组也将被添加到新创建的沙盒令牌中,这允许一次寻址所有沙盒。这将有助于审计政策。 部分选中:不会将任何组添加到新创建的沙盒令牌中。 - + Create a new sandboxed token instead of stripping down the original token 创建新的沙盒令牌,而不是剥离原始令牌 - + Drop ConHost.exe Process Integrity Level 降低Conhost.exe的进程完整级 - + Program Control 程序控制 - + Force Programs 必沙程序 - + Disable forced Process and Folder for this sandbox 禁用此沙盒的“强制进程/目录 规则” - + Breakout Programs 分离程序 - + Breakout Program 分离程序 - + Breakout Folder 分离目录 @@ -8327,39 +8460,44 @@ Partially checked: No groups will be added to the newly created sandboxed token. 阻止通过Windows公共方法获取未沙盒化窗口的图像 - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. 此处设置的程序在启动时将被允许脱离这个沙盒,利用此选项可以将程序捕获到另一个沙盒里 例如,让网络浏览器总是在一个专门的沙盒里打开 - + + Breakout Document + 分离文档 + + + Lingering Programs 驻留程序 - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. 其它所有程序被终止后,仍在运行的驻留程序将自动终止 - + Leader Programs 引导进程 - + If leader processes are defined, all others are treated as lingering processes. 如果定义了引导进程,其它进程将被视作驻留进程 - + Files 文件 - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. 配置哪些进程可以访问文件、文件夹和管道 @@ -8367,12 +8505,12 @@ Partially checked: No groups will be added to the newly created sandboxed token. 你可以使用“完全开放”来对所有程序开放所有权限,或者在策略标签中改变这一行为 - + Registry 注册表 - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. 配置哪些进程可以读写注册表 @@ -8380,24 +8518,24 @@ Partially checked: No groups will be added to the newly created sandboxed token. 你可以使用“完全开放”来对所有程序开放所有权限,或者在策略标签中改变这一行为 - + IPC IPC - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. 配置哪些进程可以访问 NT IPC 对象,如 ALPC 端口及其他进程的内存和相关运行状态环境 如需指定一个进程,使用“$:program.exe”作为路径值(不含双引号) - + Wnd 窗口 - + Wnd Class 窗口类 @@ -8407,198 +8545,198 @@ To specify a process use '$:program.exe' as path. 配置哪些进程可以访问桌面对象,如 Windows 或其它类似对象 - + COM COM - + Class Id 类 Id - + Configure which processes can access COM objects. 配置哪些进程可以访问 COM 对象 - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) 不虚拟化 COM 对象,而是开放主机的 COM 基础结构 (不推荐) - + Access Policies 权限策略 - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. 将 Close...=!<program>,... 规则,应用到位于沙盒内的所有相关二进制文件 - + Network Options 网络选项 - + Set network/internet access for unlisted processes: 不在列表中的程序的网络访问权限: - + Test Rules, Program: 测试规则或程序: - + Port: 端口: - + IP: IP: - + Protocol: 协议: - + X X - + Add Rule 添加规则 - - - - + + + + Action 动作 - - + + Port 端口 - - - + + + IP IP - + Protocol 协议 - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. 警告:未在此驱动程序启用 Windows 筛选平台,因此以下规则只能在用户模式下生效,无法被强制执行!!!恶意程序可能会绕过这些规则的限制 - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. 规则的特异度是衡量一个给定规则对特定路径的匹配程度,简单地说,特异度是指从路径的最开始到最后一个匹配的非通配符子串之间的字符长度,一个只匹配 “*.tmp” 这样的文件类型的规则将具有最高的特异性,因为它总是匹配整个文件路径 进程匹配级别的优先级高于特异度,它描述了一条规则如何适用于一个给定的进程,按进程名称或程序组应用的规则具有最高的匹配级别,其次是否定匹配模式(即适用于匹配除给定进程以外的所有进程的规则),而匹配级别最低的是全局匹配,即适用于任何进程的规则 - + Prioritize rules based on their Specificity and Process Match Level 基于规则的特异度和进程匹配级别对规则进行优先级排序 - + Privacy Mode, block file and registry access to all locations except the generic system ones 隐私模式,阻止对通用系统目录之外的所有文件位置和注册表节点的访问 - + Access Mode 访问权限模式 - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. 当启用隐私模式时,沙盒进程将只能读取 C:\Windows\* 、 C:\Program Files\* 和注册表 HKLM 节点下的部分内容,除此之外的所有其它位置都需要明确的访问授权才能被读取或写入,在此模式下,专有规则将总是被应用 - + Rule Policies 规则策略 - + Apply File and Key Open directives only to binaries located outside the sandbox. 只对位于沙盒之外的二进制文件应用文件和密钥权限开放指令 - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) 以系统进程启动沙盒服务 RpcSs (不推荐) - + Allow use of nested job objects (works on Windows 8 and later) Allow use of nested job objects (experimental, works on Windows 8 and later) 允许使用嵌套作业对象(job object) (仅适用于 Windows 8 及更高版本) - + Drop critical privileges from processes running with a SYSTEM token 撤销以系统令牌运行中的程序的关键特权 - - + + (Security Critical) (安全关键) - + Protect sandboxed SYSTEM processes from unprivileged processes 保护沙盒中的系统进程免受非特权进程的影响 - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. 通过严格限制进程令牌的使用来进行安全隔离是 Sandboxie 执行沙盒化限制的主要手段,当它被禁用时,沙盒将在应用隔间模式下运行,此时将不再提供可靠的安全限制,只是简单进行应用分隔 - + Allow sandboxed programs to manage Hardware/Devices 允许沙盒内程序管理硬件设备 - + Open access to Windows Local Security Authority 开放 Windows 本地安全验证 (LSA) 的访问权限 - + Allow to read memory of unsandboxed processes (not recommended) 允许读取非沙盒进程的内存 (不推荐) - + Issue message 2111 when a process access is denied 进程被拒绝访问非沙盒进程内存时,提示问题代码 2111 - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) 默认禁用 RpcMgmtSetComTimeout (或许可以解决兼容性问题) @@ -8607,76 +8745,76 @@ The process match level has a higher priority than the specificity and describes 禁用安全隔离 (实验性) - + Security Isolation & Filtering 安全隔离 & 筛查 - + Disable Security Filtering (not recommended) 禁用安全筛查功能 (不推荐) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. 安全筛查被 Sandboxie 用来强制执行文件系统和注册表访问限制,以及限制进程访问 - + The below options can be used safely when you don't grant admin rights. 以下选项可以在你未授予管理员权限时安全的使用 - + Triggers 触发器 - + Event 事件 - - - - + + + + Run Command 执行命令 - + Start Service 启动服务 - + These events are executed each time a box is started 这些事件当沙盒每次启动时都会被执行 - + On Box Start 沙盒启动阶段 - - + + These commands are run UNBOXED just before the box content is deleted 这些命令将在删除沙盒的内容之前,以非沙盒化的方式被执行 - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. 这些命令只在沙盒被初始化时执行,要使它们再次运行,必须删除沙盒内容 - + On Box Init 沙盒初始阶段 - + Here you can specify actions to be executed automatically on various box events. 在此处可以配置各种沙盒事件中自动执行特定的动作 @@ -8686,32 +8824,32 @@ The process match level has a higher priority than the specificity and describes API 调用跟踪 (需要安装 LogAPI 模块到沙盒目录) - + Log all SetError's to Trace log (creates a lot of output) 记录所有 SetError 到跟踪日志 (将产生大量输出) - + File Trace 文件跟踪 - + Pipe Trace 管道跟踪 - + Access Tracing 访问跟踪 - + Log Debug Output to the Trace Log 调试日志输出到跟踪日志 - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8734,78 +8872,78 @@ instead of "*". Ntdll 系统调用跟踪 (将产生大量输出) - + Disable Resource Access Monitor 禁用资源访问监控器 - + Resource Access Monitor 资源访问监控 - - + + Network Firewall 网络防火墙 - + Bypass IPs 绕过IP - + Debug 调试 - + WARNING, these options can disable core security guarantees and break sandbox security!!! 警告,这些选项可使核心安全保障失效并且破坏沙盒安全! - + These options are intended for debugging compatibility issues, please do not use them in production use. 这些选项是为调试兼容性问题提供的,日常使用者勿碰。 - + App Templates 应用模板 - + Filter Categories 类别筛选 - + Text Filter 文本筛选 - + Add Template 添加模板 - + This list contains a large amount of sandbox compatibility enhancing templates 此列表含有大量的沙盒兼容性增强模板 - + Category 类别 - + Template Folders 目录模板 - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. @@ -8814,79 +8952,79 @@ Please note that this values are currently user specific and saved globally for 请注意,这些值对当前用户的所有沙盒保存 - - + + Value - + Accessibility 无障碍功能 - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. 要弥补失去的保护,请参考“限制”设置组中的降低权限部分 - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access 屏幕阅读器:JAWS、NVDA、Window-Eyes、系统无障碍接口 - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD 使用驱动器的卷系列号,例如:\drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty 只有在沙盒为空时,才能更改沙盒结构 - + Disk/File access “磁盘/文件”访问权限 - + Encrypt sandbox content 加密沙盒内容 - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. 当 <a href="sbie://docs/boxencryption">沙盒加密</a> 为沙盒根目录启用时,包括虚拟注册表在内,沙盒内容将会被存储在加密的磁盘映像中, 使用 <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS 实现。 - + Partially checked means prevent box removal but not content deletion. 部分选中表示阻止删除沙盒,但不阻止删除内容。 - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">安装 ImDisk</a> 驱动以开启内存虚拟磁盘与磁盘映像支持。 - + Store the sandbox content in a Ram Disk 将沙盒内容存储于内存虚拟磁盘 - + Set Password 设置密码 - + Virtualization scheme 虚拟化方案 - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only @@ -8895,27 +9033,27 @@ Please note that this values are currently user specific and saved globally for 2115:文件没有被迁移,文件将以只读方式打开 - + Issue message 2113/2114/2115 when a file is not fully migrated 当一个文件没有被完全迁移时,提示问题代码:2113/2114/2115 - + Add Pattern 添加“模式” - + Remove Pattern 移除“模式” - + Pattern 模式 - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. Sandboxie 不被允许对主机文件进行写入,除非得到用户的允许 当沙盒化的应用程序试图修改一个文件时,整个文件必须被复制到沙盒中 @@ -8923,17 +9061,17 @@ Please note that this values are currently user specific and saved globally for Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行配置 - + Using wildcard patterns file specific behavior can be configured in the list below: 使用“通配符模式”,具体的文件行为可以在下面的列表中进行配置: - + When a file cannot be migrated, open it in read-only mode instead 当一个文件不能被迁移时,尝试以只读模式打开它 - + Restrictions 限制选项 @@ -8948,193 +9086,195 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 防止沙盒中的进程干扰电源操作 - + Disable Security Isolation 关闭安全隔离功能 - - + + Box Protection 沙盒保护 - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. 阻止进程捕获在沙盒中的窗口的图像 - + Allow useful Windows processes access to protected processes 允许有用的 Windows 进程访问受保护的进程 - + Protect processes within this box from host processes 阻止沙盒外程序访问沙盒内进程 - + Allow Process 允许进程 - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root 当沙盒外程序访问沙盒根目录或沙盒化进程对象时,发出 1318/1317 警告。 - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. Sandboxie-Plus 可以创建证书加密沙盒,避免沙盒外潜在的恶意软件篡改或监听沙盒内进程。通过利用加密沙盒映像,该功能提供了高度可靠的操作安全性,保障了沙盒进程的安全与完整性。 - + Deny Process 阻止进程 - + Prevent sandboxed processes from interfering with power operations (Experimental) 防止沙盒进程干扰电源操作(实验性) - + Prevent interference with the user interface (Experimental) 防止干扰用户界面(实验性) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) 阻止沙盒进程捕获窗口图像(实验性,可能会导致UI故障) - + Use a Sandboxie login instead of an anonymous token 使用 Sandboxie 限权用户替代匿名令牌 - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. - <b><font color='red'>安全提示</font>:</b> 使用 <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 或 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> 结合 Open[File/Pipe]Path directives 功能会造成安全性下降, <a href="sbie://docs/breakoutdocument">BreakoutDocument</a>允许任意拓展名 * 或不安全拓展名 (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) . 请您在使用前,自行阅读文档中关于安全的部分。 + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>安全警告</font>:</b> 使用 <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 和/或 <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> 与 Open[File/Pipe]Path directives 指令组合可能会危害安全,使用 <a href="sbie://docs/breakoutdocument">BreakoutDocument</a>允许任意拓展名 * 或不安全拓展名 (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) 也会有安全风险。请在使用前查阅文档中每个选项的安全性部分。 - + Configure which processes can access Desktop objects like Windows and alike. 配置那些进程可以访问桌面组件(例如窗口等) - + DNS Filter DNS 过滤器 - + Add Filter 添加过滤器 - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. 使用 DNS 过滤器可以根据每个进程禁用单个域(域名)。保留 IP 列为空以阻止域名解析或输入 IP 以重定向域名解析。 - + Domain - + Internet Proxy 互联网代理 - + Add Proxy 添加代理 - + Test Proxy 测试代理 - + Auth 认证 - + Login 登陆 - + Password 密码 - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. 沙盒化进程可以被强制使用一个预设的套接字5代理。 - + Resolve hostnames via proxy 通过代理解析主机名 - + Other Options 其它选项 - + Port Blocking 阻止端口 - + Block common SAMBA ports 阻止常见 SAMBA 端口 - + Block DNS, UDP port 53 阻止 DNS、UDP 端口 53 - + Quick Recovery 快速恢复 - + Immediate Recovery 即时恢复 - + Various Options 其它杂项 - + Apply ElevateCreateProcess Workaround (legacy behaviour) 应用 ElevateCreateProcess 解决方案 (传统行为) - + Use desktop object workaround for all processes 对所有进程应用桌面对象解决方案 - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. 当短时间连续按下全局热键3次时,此异常将被忽略。 - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. 当调用“终止所有进程”时,排除终止此沙盒的进程。 @@ -9143,44 +9283,44 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 此命令在沙盒中的所有进程终止后运行。 - + On Box Terminate 在沙盒所有进程终止时 - + This command will be run before the box content will be deleted 该命令将在删除沙盒内容之前运行 - + On File Recovery 文件恢复阶段 - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked 该命令将在文件恢复前运行,文件路径将作为最先被传递的参数,如果该命令的返回值不为 0,恢复动作将被终止 - + Run File Checker 运行文件检查 - + On Delete Content 内容删除阶段 - + Protect processes in this box from being accessed by specified unsandboxed host processes. 保护此沙盒内的进程不被指定的非沙盒的主机进程访问 - - + + Process 进程 @@ -9189,127 +9329,127 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 阻止对位于该沙盒中的进程的读取访问 - + Add Option 添加选项 - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. 在此处可以配置各个进程的高级选项,以提高兼容性或自定义沙盒的某些行为 - + Option 选项 - + Privacy 隐私 - + Hide Firmware Information Hide Firmware Informations 隐藏固件信息 - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. 一些程序通过WMI(Windows内置数据库)而不是常规方式读取系统细节信息。例如,即使通过访问WMI打开“HideOtherBoxs”,“tasklist.exe”也可以获得完整的进程列表。启用此选项可阻止这些行为。 - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) 防止沙盒进程通过WMI访问系统细节信息(有关更多信息,请参阅工具提示) - + Process Hiding 进程隐藏 - + Use a custom Locale/LangID 使用自定义区域设置/语言ID - + Data Protection 数据保护 - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom 将当前固件表转储到HKCU\System\SbieCustom - + Dump FW Tables 转储固件表 - + Hide Disk Serial Number 隐藏硬盘序列号 - + Obfuscate known unique identifiers in the registry 混淆注册表中已知的唯一标识符 - + Hide Network Adapter MAC Address 隐藏网卡MAC地址 - + DNS Request Logging DNS 请求日志 - + Syscall Trace (creates a lot of output) 系统调用追踪(产生大量输出) - + Templates 模板 - + Open Template 打开模板 - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. 以下设置允许 Sandboxie 与辅助功能软件结合,请注意:当这些设置生效时,会使 Sandboxie 的部分保护措施失效 - + Edit ini Section 配置文本 - + Edit ini 编辑配置 - + Cancel 取消 - + Save 保存 @@ -9325,7 +9465,7 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 ProgramsDelegate - + Group: %1 组: %1 @@ -9333,7 +9473,7 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 QObject - + Drive %1 磁盘 %1 @@ -9341,27 +9481,27 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 QPlatformTheme - + OK 确定 - + Apply 应用 - + Cancel 取消 - + &Yes 是(&Y) - + &No 否(&N) @@ -9374,7 +9514,7 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 SandboxiePlus - 恢复 - + Close 关闭 @@ -9394,27 +9534,27 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 添加文件夹 - + Recover 恢复 - + Refresh 刷新 - + Delete 删除 - + Show All Files 显示所有文件 - + TextLabel 文本标签 @@ -9485,12 +9625,12 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 常规选项 - + Open urls from this ui sandboxed 总是在沙盒中打开设置页面的链接 - + Run box operations asynchronously whenever possible (like content deletion) 尽可能以异步方式执行沙盒的各类操作 (如内容删除) @@ -9500,32 +9640,32 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 常规选项 - + Show boxes in tray list: 沙盒列表显示: - + Add 'Run Un-Sandboxed' to the context menu 在资源管理器中添加“在沙盒外运行”右键菜单 - + Show a tray notification when automatic box operations are started 当沙盒自动化作业事件开始执行时,弹出托盘通知 - + Activate Kernel Mode Object Filtering 激活内核模式的对象过滤器 - + Hook selected Win32k system calls to enable GPU acceleration (experimental) Hook 选定的 Win32k 系统调用钩子以启用 GPU 加速 (实验性) - + Recovery Options 恢复选项 @@ -9535,37 +9675,37 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 SandMan 选项 - + Notifications 消息通知 - + Add Entry 添加条目 - + Show file migration progress when copying large files into a sandbox 将大文件复制到沙盒内部时显示文件迁移进度 - + Message ID 消息 ID - + Message Text (optional) 信息文本 (可选) - + SBIE Messages SBIE 消息 - + Delete Entry 删除条目 @@ -9574,7 +9714,7 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 不显示“SBIE 消息”的所有弹出式信息记录 - + Notification Options 通知选项 @@ -9589,22 +9729,22 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 禁用 SBIE 消息通知 (SBIE 仍然会被记录到消息日志中) - + Windows Shell Windows 窗口管理器 - + Start Menu Integration 开始菜单集成 - + Scan shell folders and offer links in run menu 扫描系统 Shell 目录并在开始菜单中集成快捷方式 - + Integrate with Host Start Menu 与主机开始菜单整合: @@ -9613,165 +9753,165 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 图标 - + Move Up 上移 - + Move Down 下移 - + User Interface 用户界面 - + Use new config dialog layout * 使用新的配置对话框视图 * - + Show overlay icons for boxes and processes 为沙盒与进程显示覆盖图标 - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Sandboxie-Plus 项目的支持者可以收到<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">支持者证书</a>。这与许可证密钥类似,但适用于使用开源软件的优秀用户。:-) - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. 让 Sandboxie 跟上 Windows 的滚动发布并与所有网络浏览器兼容是一项永无止境的努力。您可以通过以下方式进行支持:<a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">直接为项目贡献</a>,通过<a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">购买赞助者证书</a>,通过<a href="https://sandboxie-plus.com/go.php?to=patreon">在Patreon上订阅</a>,或通过<a href="https://sandboxie-plus.com/go.php?to=donate">PayPal捐赠</a>。<br/>您的支持对Sandboxie的发展和维护起着至关重要的作用。 - + Local Templates 本地模板 - + Add Template 添加模板 - + Text Filter 筛选文本 - + This list contains user created custom templates for sandbox options 该列表包含用户为沙盒选项创建的自定义模板 - + Run Menu 运行菜单 - + Add program 添加程序 - + You can configure custom entries for all sandboxes run menus. 你可以为所有沙盒配置自定义运行菜单条目 - - - + + + Remove 移除 - + Command Line 命令行 - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie 可能会将 <a href= "sbie://docs/ sbiemessages">SBIE 消息</a>记录到信息日志中,并以弹出窗口的形式通知<br />有些消息仅仅是信息性的,通知一个普通的或某些特殊的事件发生,其它消息表明一个错误状况<br />你可以使用此列表来隐藏所设定的“SBIE 消息”,使其不被弹出: - + Disable SBIE messages popups (they will still be logged to the Messages tab) 禁用SBIE消息弹出窗口(它们仍将记录到“消息”选项卡中) - + Ini Editor Font Ini编辑器字体 - + Select font 选择字体 - + Reset font 重置字体 - + # # - + Support && Updates 强迫症对齐,未想到合适的翻译之前,暂不打算跟进此处的翻译 捐赠支持 - + Default sandbox: 默认沙盒: - + Program Alerts 程序警报 - + Issue message 1301 when forced processes has been disabled 当必沙进程被禁止时,提示问题代码 1301 - + Open Template 打开模板 - + Edit ini Section 配置文本 - + Save 保存 - + Edit ini 编辑配置 - + Cancel 取消 - + Incremental Updates Version Updates 增量更新 @@ -9781,24 +9921,24 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 来自选定发布通道的新的完整版本 - + Hotpatches for the installed version, updates to the Templates.ini and translations. 针对已安装版本的 Templates.ini 模板和翻译的热更新补丁 - - + + Interface Options Display Options 界面选项 - + Graphic Options 图形选项 - + The preview channel contains the latest GitHub pre-releases. 预览版通道包含最新的 GitHub 预发布版本 @@ -9807,12 +9947,12 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 新版本: - + The stable channel contains the latest stable GitHub releases. 稳定版通道包含最新的 GitHub 稳定版本 - + Search in the Stable channel 稳定版通道 @@ -9822,7 +9962,7 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 使 Sandboxie 与 Windows 的滚动更新保持同步,并和主流浏览器保持兼容性,这是一项永无止境的努力,请考虑捐赠以支持这项工作<br />您可以通过 <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">PayPal 捐赠</a> (支持使用信用卡付款)来支持项目的开发<br />您也可以通过 <a href="https://sandboxie-plus.com/go.php?to=patreon">Patreon 订阅</a> 来提供持续的捐赠支持 - + Search in the Preview channel 预览版通道 @@ -9839,74 +9979,74 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 定期检查有无 Sandboxie-Plus 更新 - + In the future, don't notify about certificate expiration 不再通知证书过期的情况 - + Start UI with Windows 随系统启动沙盒管理器 - + Add 'Run Sandboxed' to the explorer context menu 在资源管理器中添加“在沙盒中运行”右键菜单 - + Start UI when a sandboxed process is started 随沙盒化应用启动沙盒管理器 - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes 在清空沙盒时显示恢复窗口 - + Config protection 保护配置 - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: 沙盒 <a href="sbie://docs/ipcrootpath">IPC 根目录</a>: - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: 沙盒 <a href="sbie://docs/keyrootpath">注册表根目录</a>: - + Clear password when main window becomes hidden 主窗口隐藏时清除密码 - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command 仅管理员用户可「停用必沙程序规则」 - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: 沙盒 <a href="sbie://docs/filerootpath">文件系统根目录</a>: - + Hotkey for terminating all boxed processes: 终止所有沙盒内进程的快捷键: - + Systray options 任务栏托盘区域选项 - + Show recoverable files as notifications 将可恢复的文件以通知形式显示 @@ -9916,68 +10056,68 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 界面语言: - + Show Icon in Systray: 托盘图标显示: - + Shell Integration 系统集成 - + Run Sandboxed - Actions “在沙盒中运行”选项 - + Always use DefaultBox 总是使用 DefaultBox 沙盒 - + Start Sandbox Manager 沙盒管理器启动选项 - + Advanced Config 高级选项 - + Use Windows Filtering Platform to restrict network access 使用 Windows 筛选平台 (WFP) 限制网络访问 - + Sandboxing features 沙盒功能 - + Sandboxie Config Config Protection 保护配置 - + Only Administrator user accounts can make changes 仅管理员用户可更改 - + Password must be entered in order to make changes 更改必须输入密码 - + Change Password 更改密码 - + Enter the support certificate here 在此输入赞助者证书 @@ -9986,109 +10126,109 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 支持设置 - + Portable root folder 便携化根目录 - + ... ... - + Sandbox default 沙盒预设 - + Watch Sandboxie.ini for changes 监控 Sandboxie.ini 变更 - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox 统计并显示每个沙盒的磁盘空间占用情况 - + Use Compact Box List 使用紧凑的沙盒列表 - + Interface Config 界面设置 - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* 在沙盒列表中显示“披萨”背景 * - + Make Box Icons match the Border Color 保持沙盒内的图标与边框颜色一致 - + Use a Page Tree in the Box Options instead of Nested Tabs * 在沙盒选项中使用页面树,而不是嵌套标签 * - + Use large icons in box list * 在沙盒列表中使用大图标 * - + High DPI Scaling 高 DPI 缩放 - + Don't show icons in menus * 不在“工具栏/菜单列表”中显示图标 * - + Use Dark Theme 使用深色主题 - + Font Scaling 字体缩放 - + (Restart required) (需要重启沙盒) - + * a partially checked checkbox will leave the behavior to be determined by the view mode. * 标复选框的显示效果取决于具体的视图模式 - + Show the Recovery Window as Always on Top 始终置顶恢复文件窗口 - + % % - + Alternate row background in lists 在沙盒列表中使用奇偶(交替)行背景色 - + Use Fusion Theme 使用 Fusion 风格主题 @@ -10097,163 +10237,163 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 使用 Sandboxie 限权用户,而不是匿名令牌 (实验性) - - - - - + + + + + Name 名称 - + This option also enables asynchronous operation when needed and suspends updates. 在暂缓更新或其它需要的情况使用异步操作 - + Suppress pop-up notifications when in game / presentation mode 在“游戏/演示”模式下,禁止弹出通知 - + Path 路径 - + Remove Program 删除程序 - + Add Program 添加程序 - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. 下列程序在沙盒之外启动时,Sandboxie 将提示 SBIE1301 警告 - + Add Folder 添加文件夹 - + Prevent the listed programs from starting on this system 阻止下列程序在此系统中启动 - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list 从任务列表中隐藏Sandboxie自身进程 - + Ini Options Ini选项 - + External Ini Editor 外部Ini编辑器 - + Add-Ons Manager 加载项管理器 - + Optional Add-Ons 可选加载项 - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - Sandboxie Plus提供了许多选项,并支持广泛的扩展。在这个页面上,您可以配置插件、插件和其他第三方组件。可选组件可以从网络下载,安装某些扩展可能需要管理员权限。 + Sandboxie-Plus提供了许多选项,并支持广泛的扩展。在这个页面上,您可以配置插件、插件和其他第三方组件。可选组件可以从网络下载,安装某些扩展可能需要管理员权限。 - + Status 状态 - + Version 版本 - + Description 说明 - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">立即更新加载项列表</a> - + Install 安装 - + Add-On Configuration 加载项配置 - + Enable Ram Disk creation 启用内存虚拟磁盘创建 - + kilobytes Kb - + Disk Image Support 磁盘映像支持 - + RAM Limit 内存大小限制 - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">安装 ImDisk</a> 驱动以启用内存虚拟磁盘和磁盘映像。 - + Hotkey for bringing sandman to the top: 将 Sandman 窗口置顶的快捷键: - + Hotkey for suspending process/folder forcing: 暂停 进程/文件夹强制 的热键: - + Hotkey for suspending all processes: Hotkey for suspending all process 暂停沙盒内所有进程的热键: - + Check sandboxes' auto-delete status when Sandman starts 当沙盒管理器启动时检查沙盒的自动删除状态 - + Integrate with Host Desktop 与主机桌面整合 @@ -10270,240 +10410,250 @@ Sandboxie 提供了针对这些情况的处理选项,可以在此页面进行 双击切换到沙盒化桌面 - + System Tray 任务栏托盘 - + On main window close: 当关闭主窗口时: - + Open/Close from/to tray with a single click 单击即可打开/关闭托盘图标 - + Minimize to tray 最小化到托盘 - + Hide SandMan windows from screen capture (UI restart required) 从屏幕捕获中隐藏 SandMan 窗口(需要重新启动UI) - + Assign drive letter to Ram Disk 为内存盘分配驱动器号 - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. 当已经装载内存盘时,您需要卸载它才能使此选项生效。 - + * takes effect on disk creation * 在磁盘创建时生效 - + Sandboxie Support Sandboxie 支持 - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 此赞助者证书已过期,请<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">更新证书</a>。 - + Get 获取 - + Retrieve/Upgrade/Renew certificate using Serial Number 使用序列号检索/升级/续订证书 - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu 添加'强制在沙盘中打开' 到上下文菜单 - + Add 'Set Open Path in Sandbox' to context menu 在资源管理器中添加“在沙盒中打开目录”右键菜单 - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">证书使用指南</a> - + HwId: 00000000-0000-0000-0000-000000000000 固件ID: 00000000-0000-0000-0000-000000000000 - + Terminate all boxed processes when Sandman exits 当退出沙盒管理器时终止所有沙盒中的所有进程 - + Cert Info 证书信息 - + Sandboxie Updater Sandboxie 更新器 - + Keep add-on list up to date 使加载项列表保持最新 - + Update Settings 更新设置 - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. 内部通道提供了对最终将向公众发布的新功能和错误修复的早期访问,以及稳定通道的所有相关改进。 与预览通道不同,它不包括未经测试的、潜在的破坏性的或可能无法广泛使用的实验性更改。 - + Search in the Insider channel 在内部版通道中搜索 - + New full installers from the selected release channel. 所选发布频道的完整的安装程序。 - + Full Upgrades 完整更新 - + Check periodically for new Sandboxie-Plus versions - 定期检查新的 Sandboxie Plus 版本 + 定期检查新的 Sandboxie-Plus 版本 - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> 查看有关<a href="https://sandboxie-plus.com/go.php?to=sbie-insider">内部通道</a>的更多信息 - + Keep Troubleshooting scripts up to date 使故障排除脚本保持最新 - + Update Check Interval 检查更新间隔 - + Use a Sandboxie login instead of an anonymous token 使用 Sandboxie 限权用户替代匿名令牌 - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) 添加 " Sandboxie\All Sandboxes " 组到沙盒化令牌(实验性) - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + 此功能通过限制访问来保护沙盒,防止其他用户访问该文件夹。请确保根文件夹路径包含%USER%宏,以便每个用户都能获得一个专用的沙盒文件夹。 + + + + Restrict box root folder access to the the user whom created that sandbox + 限制创建该沙盒的用户对沙盒根文件夹的访问权限 + + + Sandboxie.ini Presets Sandboxie.ini 预设选项 - + Always run SandMan UI as Admin 始终以管理员身份运行SandMan UI - + Program Control 程序控制 - + Issue message 1308 when a program fails to start 程序启动失败时,提示问题代码 1308 - + USB Drive Sandboxing USB驱动器沙盒 - + Volume - + Information 信息 - + Sandbox for USB drives: USB驱动器沙盒: - + Automatically sandbox all attached USB drives 自动为所有连接的USB设备使用沙盒 - + App Templates 应用模板 - + App Compatibility 软件兼容性 - + In the future, don't check software compatibility 之后不再检查软件兼容性 - + Enable 启用 - + Disable 禁用 - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. 沙盒已检测到系统中安装了以下软件,点击“确定”应用配置,将改进与这些软件的兼容性,这些配置将作用于所有沙盒,包括现存和未来新增的沙盒 @@ -10526,37 +10676,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, 名称: - + Description: 说明: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. 当删除一个快照时,它将被回退到此快照创建时的状态,而不是直接清空 - + Default snapshot 默认快照 - + Snapshot Actions 快照操作 - + Remove Snapshot 移除快照 - + Go to Snapshot 进入快照 - + Take Snapshot 抓取快照 diff --git a/SandboxiePlus/SandMan/sandman_zh_TW.ts b/SandboxiePlus/SandMan/sandman_zh_TW.ts index b5c5ee7b..febc1030 100644 --- a/SandboxiePlus/SandMan/sandman_zh_TW.ts +++ b/SandboxiePlus/SandMan/sandman_zh_TW.ts @@ -9,53 +9,53 @@ 表單 - + kilobytes KB - + Protect Box Root from access by unsandboxed processes - 保護沙箱根目錄不被未沙箱化處理程序存取 + 保護沙箱根目錄不受未沙箱化處理程序存取 - - + + TextLabel 文字標籤 - + Show Password 顯示密碼 - + Enter Password 輸入密碼 - + New Password 新密碼 - + Repeat Password 重複密碼 - + Disk Image Size 磁碟映像大小 - + Encryption Cipher 加密方案 - + Lock the box when all processes stop. 當全部處理程序停止後鎖定沙箱。 @@ -63,55 +63,55 @@ CAddonManager - + Do you want to download and install %1? 是否下載和安裝 %1? - + Installing: %1 正在安裝: %1 - + Add-on not found, please try updating the add-on list in the global settings! 附加元件未找到,請嘗試在全域設定中更新附加元件清單! - + Add-on Not Found 找不到附加元件 - + Add-on is not available for this platform Addon is not available for this paltform 附加元件對此平台不可用 - + Missing installation instructions Missing instalation instructions 缺少安裝操作指示 - + Executing add-on setup failed 執行附加元件設定時失敗 - + Failed to delete a file during add-on removal 刪除檔案失敗,因附加元件正在移除 - + Updater failed to perform add-on operation Updater failed to perform plugin operation 更新程式進行附加元件作業失敗 - + Updater failed to perform add-on operation, error: %1 Updater failed to perform plugin operation, error: %1 更新程式進行附加元件作業失敗,錯誤: %1 @@ -160,17 +160,17 @@ 附加元件安裝失敗! - + Do you want to remove %1? 是否移除 %1? - + Removing: %1 正在移除: %1 - + Add-on not found! 找不到附加元件! @@ -191,12 +191,12 @@ CAdvancedPage - + Advanced Sandbox options 進階沙箱選項 - + On this page advanced sandbox options can be configured. 在此頁面上,可以設定進階沙箱選項。 @@ -247,48 +247,48 @@ 使用 Sandboxie 登入程序替代匿名權杖 - + Advanced Options - 高級選項 + 進階選項 - + Prevent sandboxed programs on the host from loading sandboxed DLLs Prevent sandboxed programs installed on the host from loading DLLs from the sandbox "應用程式擴充" is the actual translation showed in Windows for TradChinese 防止主機上被沙箱化的程式載入被沙箱化的應用程式擴充 (DLL) 檔案 - + This feature may reduce compatibility as it also prevents box located processes from writing to host located ones and even starting them. - 該功能可能對相容性造成影響,因為它阻止了沙箱內的進程向主機進程寫入數據,以及啟動它們。 + 該功能可能對相容性造成影響,因為它阻止了沙箱所屬處理程序向主機所屬處理程序寫入資料,或是將其啟動。 Prevents the sandboxed window from being captured. - 阻止沙箱化窗口被捕獲圖像。 + 阻止沙箱化視窗被擷取圖像。 - + Prevent sandboxed windows from being captured - 阻止沙箱化窗口被捕獲圖像。 + 阻止沙箱化視窗被擷取圖像 - + This feature can cause a decline in the user experience because it also prevents normal screenshots. - 這個功能可能造成用戶體驗下降,因為它也阻止正常的螢幕截圖。 + 此功能可能造成使用者體驗下降,因其也會阻止正常的螢幕截圖。 - + Shared Template 共用範本 - + Shared template mode 共用範本模式 - + This setting adds a local template or its settings to the sandbox configuration so that the settings in that template are shared between sandboxes. However, if 'use as a template' option is selected as the sharing mode, some settings may not be reflected in the user interface. To change the template's settings, simply locate the '%1' template in the App Templates list under Sandbox Options, then double-click on it to edit it. @@ -299,42 +299,52 @@ To disable this template for a sandbox, simply uncheck it in the template list.< 若要為沙箱停用此範本,只需在範本清單中將其取消選中即可。 - + This option does not add any settings to the box configuration and does not remove the default box settings based on the removal settings within the template. 此選項不會向沙箱組態中新增任何設定,也不會根據範本內的刪除設定移除預設沙箱之設定。 - + This option adds the shared template to the box configuration as a local template and may also remove the default box settings based on the removal settings within the template. 此選項將共用範本作為本機範本新增至沙箱組態中,並且還可以根據範本內的刪除設定移除預設沙箱之設定。 - + This option adds the settings from the shared template to the box configuration and may also remove the default box settings based on the removal settings within the template. 此選項將共用範本中的設定新增至沙箱組態中,也可根據範本內的刪除設定移除預設沙箱之設定。 - + This option does not add any settings to the box configuration, but may remove the default box settings based on the removal settings within the template. 此選項不會向沙箱組態新增任何設定,但可能會根據範本內的刪除設定移除預設沙箱之設定。 - + Remove defaults if set 如果設定此項將刪除預設值 - + + Shared template selection + 共用範本選項 + + + + This option specifies the template to be used in shared template mode. (%1) + 此選項指定了將用於 共用範本模式 的範本。 (%1) + + + Disabled 已停用 - + Use as a template 用作範本 - + Append to the configuration 追加至組態設定 @@ -346,7 +356,7 @@ To disable this template for a sandbox, simply uncheck it in the template list.< This setting adds a local template to the sandbox configuration so that the settings in that template are shared between sandboxes. However, some settings added to the template may not be reflected in the user interface. To change the template's settings, simply locate and edit the 'SharedTemplate' template in the App Templates list under Sandbox Options. To disable this template for a sandbox, simply uncheck it in the template list. - 此設置將本機範本添加到沙箱組態中,以便該範本中的設置在沙箱之間共享。 但是,添加到範本的某些設置可能不會反映在用戶界面中。 + 此設定將本機範本新增至沙箱組態中,以便此範本中的設定在沙箱之間共享。 但是,新增到範本的某些設置可能不會反映在用戶界面中。 要更改範本的設置,只需在沙箱選項下的應用程式範本列表中找到並編輯“SharedTemplate”範本即可。 要為沙箱禁用此範本,只需在範本列表中取消選中它即可。 @@ -441,7 +451,7 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Uncaught exception at line %1: %2 - 未捕獲意外出現於程式碼欄 %1: %2 中 + 未捕獲意外出現於列 %1: %2 @@ -449,7 +459,7 @@ To disable this template for a sandbox, simply uncheck it in the template list.< Sandboxie-Plus - Password Entry - Sandboxie-Plus - 密碼紀錄 + Sandboxie-Plus - 密碼輸入 @@ -477,17 +487,17 @@ To disable this template for a sandbox, simply uncheck it in the template list.< 輸入加密密碼,以執行封存檔匯入: - + kilobytes (%1) KB (%1) - + Passwords don't match!!! 密碼不匹配!!! - + WARNING: Short passwords are easy to crack using brute force techniques! It is recommended to choose a password consisting of 20 or more characters. Are you sure you want to use a short password? @@ -496,7 +506,7 @@ It is recommended to choose a password consisting of 20 or more characters. Are 建議選擇由20個或更多字元組成的密碼。確定要使用短密碼嗎? - + The password is constrained to a maximum length of 128 characters. This length permits approximately 384 bits of entropy with a passphrase composed of actual English words, increases to 512 bits with the application of Leet (L337) speak modifications, and exceeds 768 bits when composed of entirely random printable ASCII characters. @@ -505,7 +515,7 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a 透過套用 Leet (L337) 語言修改,可以增加至 512 位元,並且當由完全隨機的可列印 ASCII 字元組成時,可以超過 768 位元。 - + The Box Disk Image must be at least 256 MB in size, 2GB are recommended. Box 磁碟映像的大小必須至少為 256 MB,建議使用 2GB。 @@ -521,38 +531,38 @@ increases to 512 bits with the application of Leet (L337) speak modifications, a CBoxTypePage - + Create new Sandbox 建立新沙箱 - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. - 沙箱將您的主機系統與沙箱內運作的處理程序相隔離,防止它們對電腦中的其他程式和資料進行永久更改。 + 沙箱將您的主機系統與沙箱內運作的處理程序相隔離,防止它們對電腦中的其它程式和資料進行永久更改。 - + A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. - 沙箱會將您的主機系統與沙箱內執行的處理程序隔離開來,以防止它們對電腦中的其他程式和資料進行永久性變更。隔離的級別會影響您的安全性以及與應用程式的相容性,因此根據所選的沙箱類型,將有不同的隔離級別。Sandboxie 還可以保護您的個人資料在其監督下不會被執行的處理程序存取。 + 沙箱會將您的主機系統與沙箱內執行的處理程序隔離開來,以防止它們對電腦中的其它程式和資料進行永久性變更。隔離的級別會影響您的安全性以及與應用程式的相容性,因此根據所選的沙箱類型,將有不同的隔離級別。Sandboxie 還可以保護您的個人資料在其監督下不會被執行的處理程序存取。 - + Enter box name: 輸入沙箱名稱: - + Select box type: Sellect box type: 選擇沙箱類型: - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/security-mode">安全性強化型</a>沙箱並包含<a href="sbie://docs/privacy-mode">資料防護</a> - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. It strictly limits access to user data, allowing processes within this box to only access C:\Windows and C:\Program Files directories. The entire user profile remains hidden, ensuring maximum security. @@ -561,59 +571,59 @@ The entire user profile remains hidden, ensuring maximum security. 全部使用者設定檔將保持隱藏狀態,以確保最大程度的安全性。 - + <a href="sbie://docs/security-mode">Security Hardened</a> Sandbox <a href="sbie://docs/security-mode">安全性強化</a>沙箱 - + This box type offers the highest level of protection by significantly reducing the attack surface exposed to sandboxed processes. 這種沙箱類型透過顯著減少暴露於沙箱化處理程序的攻擊面,來提供最高等級的保護。 - + Sandbox with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/privacy-mode">資料防護型</a>沙箱 - + In this box type, sandboxed processes are prevented from accessing any personal user files or data. The focus is on protecting user data, and as such, only C:\Windows and C:\Program Files directories are accessible to processes running within this sandbox. This ensures that personal files remain secure. 在此沙箱類型中,沙箱化處理程序被阻止存取任何個人使用者檔案或資料。功能的重點是保護使用者資料,而因為如此, 在此沙箱中執行的處理程序只能存取 C:\Windows 和 C:\Program Files 目錄。這可確保個人檔案的安全。 - + Standard Sandbox 標準型沙箱 - + This box type offers the default behavior of Sandboxie classic. It provides users with a familiar and reliable sandboxing scheme. Applications can be run within this sandbox, ensuring they operate within a controlled and isolated space. 此沙箱類型提供 Sandboxie 經典版本的預設行為。它為使用者提供了熟悉且可靠的沙箱化方案。 應用程式可以在該沙箱內運作,確保它們在受控且隔離的空間內進行作業。 - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box with <a href="sbie://docs/privacy-mode">Data Protection</a> <a href="sbie://docs/compartment-mode">應用程式區間型</a>沙箱並包含<a href="sbie://docs/privacy-mode">資料防護</a> - - + + This box type prioritizes compatibility while still providing a good level of isolation. It is designed for running trusted applications within separate compartments. While the level of isolation is reduced compared to other box types, it offers improved compatibility with a wide range of applications, ensuring smooth operation within the sandboxed environment. 這種沙箱類型優先考慮相容性,同時仍提供良好的隔離等級。它設計用於在單獨的隔間中運作受信任的應用程式。 -雖然與其他沙箱類型相比隔離等級有所降低,但它提供了與各種應用程式的更高相容性,確保沙箱化環境中的平穩運作。 +雖然與其它沙箱類型相比隔離等級有所降低,但它提供了與各種應用程式的更高相容性,確保沙箱化環境中的平穩運作。 - + <a href="sbie://docs/compartment-mode">Application Compartment</a> Box <a href="sbie://docs/compartment-mode">應用程式區間型</a>沙箱 - + <a href="sbie://docs/boxencryption">Encrypt</a> Box content and set <a href="sbie://docs/black-box">Confidential</a> <a href="sbie://docs/boxencryption">加密</a>沙箱內容並設定為<a href="sbie://docs/black-box">機密</a> @@ -622,51 +632,51 @@ While the level of isolation is reduced compared to other box types, it offers i <a href="sbie://docs/boxencryption">加密</a><a href="sbie://docs/black-box">機密型</a>沙箱 - + In this box type the sandbox uses an encrypted disk image as its root folder. This provides an additional layer of privacy and security. Access to the virtual disk when mounted is restricted to programs running within the sandbox. Sandboxie prevents other processes on the host system from accessing the sandboxed processes. This ensures the utmost level of privacy and data protection within the confidential sandbox environment. - 在此沙箱類型中沙箱使用加密的磁碟映像作為其根目錄。這提供了額外的隱私和安全層級。 -安裝後對虛擬磁碟的存取僅限於沙箱中執行的程式。 Sandboxie 可防止主機系統上的其他處理程序存取沙箱化處理程序。 + 在此沙箱類型中沙箱使用加密的磁碟映像作為其根資料夾。這提供了額外的隱私和安全層級。 +安裝後對虛擬磁碟的存取僅限於沙箱中執行的程式。 Sandboxie 可防止主機系統上的其它處理程序存取沙箱化處理程序。 這確保了機密型沙箱環境中最高水準的隱私和資料保護。 - + Hardened Sandbox with Data Protection 具有資料保護功能的加固型沙箱 - + Security Hardened Sandbox 安全性防護加固型沙箱 - + Sandbox with Data Protection 資料保護型沙箱 - + Standard Isolation Sandbox (Default) 標準隔離型沙箱 (預設) - + Application Compartment with Data Protection 資料保護型應用程式區間 - + Application Compartment Box 應用程式區間沙箱 - + Confidential Encrypted Box 機密加密型沙箱 - + To use encrypted boxes you need to install the ImDisk driver, do you want to download and install it? To use ancrypted boxes you need to install the ImDisk driver, do you want to download and install it? 要使用加密沙箱,您需要安裝 ImDisk 驅動程式,是否下載並安裝? @@ -676,17 +686,17 @@ This ensures the utmost level of privacy and data protection within the confiden 應用程式區間 (無隔離防護) - + Remove after use 使用後移除 - + After the last process in the box terminates, all data in the box will be deleted and the box itself will be removed. 當沙箱中的最後一個處理程序終止後,沙箱中的所有資料將被刪除,沙箱本身也將會刪除。 - + Configure advanced options 設定進階選項組態 @@ -806,8 +816,8 @@ Please browse to the correct user profile directory. No suitable fodlers have been found. Note: you need to run the browser unsandboxed for them to get created. Please browse to the correct user profile directory. - 沒有發現合適的目錄。 -注意: 您需要在不使用沙箱的情況下執行一次瀏覽器,以便目錄被正確建立。 + 沒有發現合適的資料夾。 +注意: 您需要在不使用沙箱的情況下執行一次瀏覽器,以使其正確建立。 請瀏覽並選擇正確的使用者設定檔目錄。 @@ -880,7 +890,7 @@ Please browse to the correct user profile directory. This browser name is already in use, please choose an other one. This browser name is already in use, please chooe an other one. - 此瀏覽器名稱已被使用,請選擇其他名稱。 + 此瀏覽器名稱已被使用,請選擇其它名稱。 @@ -908,13 +918,13 @@ Please browse to the correct user profile directory. <b><a href="_"><font color='red'>Get a free evaluation certificate</font></a> and enjoy all premium features for %1 days.</b> - <b><a href="_"><font color='red'>獲取一個免費試用證書</font></a>體驗高級功能 %1 天。</b> + <b><a href="_"><font color='red'>取得一個免費試用憑證</font></a>以體驗高級功能 %1 天。</b> You can request a free %1-day evaluation certificate up to %2 times per hardware ID. You can request a free %1-day evaluation certificate up to %2 times for any one Hardware ID - 對於每一個硬件ID,您最多可以請求%2次免費的%1天評估證書。 + 對於每一個硬體ID,您最多可以請求%2次免費的%1天評估憑證。 @@ -987,36 +997,64 @@ You can click Finish to close this wizard. Sandboxie-Plus - 匯出沙箱 - + + 7-Zip + 7-Zip + + + + Zip + Zip + + + Store 僅儲存 - + Fastest 最快 - + Fast 快速 - + Normal 標準 - + Maximum 最大化 - + Ultra 極限 + + CExtractDialog + + + Sandboxie-Plus - Sandbox Import + Sandboxie-Plus - 沙箱匯入 + + + + Select Directory + 選擇目錄 + + + + This name is already in use, please select an alternative box name + 名稱已被使用,請選擇一個替代沙箱名稱 + + CFileBrowserWindow @@ -1035,17 +1073,17 @@ You can click Finish to close this wizard. Pin to Box Run Menu - 固定到「在沙箱中執行」選單 + 釘選至沙箱執行選單 Recover to Any Folder - 復原到任意資料夾 + 復原至任意資料夾 Recover to Same Folder - 復原到相同資料夾 + 復原至相同資料夾 @@ -1066,13 +1104,13 @@ You can click Finish to close this wizard. CFilesPage - + Sandbox location and behavior Sandbox location and behavioure 沙箱位置和行為 - + On this page the sandbox location and its behavior can be customized. You can use %USER% to save each users sandbox to an own folder. On this page the sandbox location and its behaviorue can be customized. @@ -1081,64 +1119,64 @@ You can use %USER% to save each users sandbox to an own fodler. 您可以使用 %USER% 將每個使用者的沙箱儲存到各自的資料夾中。 - + Sandboxed Files 沙箱化檔案 - + Select Directory 選擇目錄 - + Virtualization scheme 虛擬化方案 - + Version 1 版本 1 - + Version 2 版本 2 - + Separate user folders 分離使用者資料夾 - + Use volume serial numbers for drives 使用磁碟的磁碟區序號 - + Auto delete content when last process terminates 當所有處理程序結束後自動刪除全部內容 - + Enable Immediate Recovery of files from recovery locations 啟用檔案立即復原 (從設定的復原位置) - + The selected box location is not a valid path. The sellected box location is not a valid path. 選取的沙箱儲存位置是無效路徑。 - + The selected box location exists and is not empty, it is recommended to pick a new or empty folder. Are you sure you want to use an existing folder? The sellected box location exists and is not empty, it is recomended to pick a new or empty folder. Are you sure you want to use an existing folder? - 選取的沙箱儲存位置已存在且不是空白目錄,推薦選擇新資料夾或是空白資料夾。確定要使用已存在的資料夾嗎? + 選取的沙箱儲存位置已存在且非空白,推薦選擇新資料夾或是空白資料夾。確定要使用已存在的資料夾嗎? - + The selected box location is not placed on a currently available drive. The selected box location not placed on a currently available drive. 選取的沙箱儲存位置不在目前可用的磁碟上。 @@ -1249,7 +1287,7 @@ You can use %USER% to save each users sandbox to an own fodler. Introduction - 摘要資訊 + 介紹 @@ -1280,83 +1318,83 @@ You can use %USER% to save each users sandbox to an own fodler. CIsolationPage - + Sandbox Isolation options 沙箱隔離選項 - + On this page sandbox isolation options can be configured. 在此頁面可以調整沙箱隔離選項的組態。 - + Network Access 區域網路存取 - + Allow network/internet access 允許區域網路/網際網路存取 - + Block network/internet by denying access to Network devices 透過拒絕存取區域網路裝置,以阻止區域網路/網際網路存取 - + Block network/internet using Windows Filtering Platform 使用 Windows 篩選平台阻止區域網路/網際網路存取 - + Allow access to network files and folders 允許存取區域網路檔案和資料夾 - - + + This option is not recommended for Hardened boxes 不推薦將此選項用於加固型沙箱 - + Prompt user whether to allow an exemption from the blockade 提示使用者是否允許豁免封鎖 - + Admin Options 管理員選項 - + Drop rights from Administrators and Power Users groups 廢棄來自管理員和 Power Users (高權限使用者) 群組的許可 - + Make applications think they are running elevated 使應用程式認為其已在權限提升狀態下運作 - + Allow MSIServer to run with a sandboxed system token 允許 MSIServer 使用沙箱化系統權杖運作 - + Box Options 沙箱選項 - + Use a Sandboxie login instead of an anonymous token 使用 Sandboxie 登入程序替代匿名權杖 - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. 使用自訂 Sandboxie 權杖可以更好地將各個沙箱相互隔離,同時可以實現在工作管理員的使用者欄位中顯示處理程序所屬的沙箱。但是,某些第三方安全性解決方案可能會與自訂權杖產生相容性問題。 @@ -1371,7 +1409,7 @@ You can use %USER% to save each users sandbox to an own fodler. Search filter - 搜尋過濾 + 搜尋過濾器 @@ -1458,24 +1496,25 @@ You can use %USER% to save each users sandbox to an own fodler. 此沙箱內容將放置在加密的容器檔案中,請注意,容器標頭的任何損壞都將導致其所有內容永久無法存取。藍色畫面當機、儲存硬體故障或惡意應用程式覆寫的隨機檔案都可能導致其損毀。此功能是根據嚴格的<b>不備份、不留情</b>策略下提供的,您,使用者本人應對放入加密沙箱中的資料負責。 <br /><br />如果您同意對您的資料承擔全部責任,請按 [是],否則請按 [否]。 - + Add your settings after this line. 在此列後追加您的自有設定。 - + + Shared Template 共用範本 - + The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you experience any unexpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure group. The new sandbox has been created using the new <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">Virtualization Scheme Version 2</a>, if you expirience any unecpected issues with this box, please switch to the Virtualization Scheme to Version 1 and report the issue, the option to change this preset can be found in the Box Options in the Box Structure groupe. 新沙箱按照新的 <a href="https://sandboxie-plus.com/go.php?to=sbie-delete-v2">虛擬化方案 V2</a> 建立,如果您在使用該沙箱的時候遇到任何問題,請嘗試切換至虛擬化方案 V1 並向我們反應問題,變更此預設的選項可以在「沙箱選項」中「檔案選項」的「沙箱結構」選項組內找到。 - + Don't show this message again. 不再顯示此訊息。 @@ -1491,38 +1530,38 @@ You can use %USER% to save each users sandbox to an own fodler. COnlineUpdater - + Do you want to check if there is a new version of Sandboxie-Plus? 您想要檢查 Sandboxie-Plus 是否存在新版本嗎? - + Don't show this message again. 不再顯示此訊息。 - + Checking for updates... 檢查更新中... - + server not reachable 伺服器無法存取 - - + + Failed to check for updates, error: %1 檢查更新失敗,錯誤: %1 - + <p>Do you want to download the installer?</p> <p>是否下載此安裝程式?</p> - + <p>Do you want to download the updates?</p> <p>是否下載此更新?</p> @@ -1531,75 +1570,75 @@ You can use %USER% to save each users sandbox to an own fodler. <p>是否前往<a href="%1">更新頁面</a>?</p> - + <p>Do you want to go to the <a href="%1">download page</a>?</p> <p>是否前往<a href="%1">下載頁面</a>?</p> - + Don't show this update anymore. 不再顯示此次更新。 - + Downloading updates... 正在下載更新... - + invalid parameter 無效參數 - + failed to download updated information failed to download update informations 下載更新資訊失敗 - + failed to load updated json file failed to load update json file 載入已更新的 Json 檔案失敗 - + failed to download a particular file 下載特定檔案失敗 - + failed to scan existing installation 掃描現有的安裝失敗 - + updated signature is invalid !!! update signature is invalid !!! 無效的更新檔簽章!!! - + downloaded file is corrupted 下載的檔案已損毀 - + internal error 內部錯誤 - + unknown error 未知錯誤 - + Failed to download updates from server, error %1 從伺服器下載更新失敗,錯誤 %1 - + <p>Updates for Sandboxie-Plus have been downloaded.</p><p>Do you want to apply these updates? If any programs are running sandboxed, they will be terminated.</p> <p>Sandboxie-Plus 的更新已下載。</p><p>是否要套用這些更新?如果任何程式正在沙箱化執行,都將被終止。</p> @@ -1608,7 +1647,7 @@ You can use %USER% to save each users sandbox to an own fodler. 下載檔案失敗,來源: %1 - + Downloading installer... 正在下載安裝程式... @@ -1617,27 +1656,27 @@ You can use %USER% to save each users sandbox to an own fodler. 下載安裝程式失敗,來源: %1 - + <p>A new Sandboxie-Plus installer has been downloaded to the following location:</p><p><a href="%2">%1</a></p><p>Do you want to begin the installation? If any programs are running sandboxed, they will be terminated.</p> <p>一個新的 Sandboxie-Plus 安裝程式已被下載到以下位置:</p><p><a href="%2">%1</a></p><p>是否要開始安裝?如果任何程式正在沙箱化執行,都將被終止。</p> - + <p>Do you want to go to the <a href="%1">info page</a>?</p> <p>您是否想要前往 <a href="%1">資訊頁面</a>?</p> - + Don't show this announcement in the future. 此後不再顯示此公告。 - + <p>There is a new version of Sandboxie-Plus available.<br /><font color='red'><b>New version:</b></font> <b>%1</b></p> <p>有新版本 Sandboxie-Plus 可用,<br /><font color='red'>新版本:</font><b>%1</b></p> - + Your Sandboxie-Plus supporter certificate is expired, however for the current build you are using it remains active, when you update to a newer build exclusive supporter features will be disabled. Do you still want to update? @@ -1646,7 +1685,7 @@ Do you still want to update? 仍要繼續更新嗎? - + No new updates found, your Sandboxie-Plus is up-to-date. Note: The update check is often behind the latest GitHub release to ensure that only tested updates are offered. @@ -1670,9 +1709,9 @@ Note: The update check is often behind the latest GitHub release to ensure that COptionsWindow - - + + Browse for File 瀏覽檔案 @@ -1685,7 +1724,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Closed - 已關閉 + 封閉 @@ -1752,17 +1791,17 @@ Note: The update check is often behind the latest GitHub release to ensure that Don't rename window classes. - 不重新命名視窗類別。 + 不要重新命名視窗 Class。 Deny access to host location and prevent creation of sandboxed copies. - 拒絕對主機位置的存取,防止在沙箱內建立相應的複本。 + 拒絕對主機位置的存取,防止建立沙箱化複本。 Block access to WinRT class. - 阻止對 WinRT 類別的存取。 + 阻止對 WinRT Class 的存取。 @@ -1772,7 +1811,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Hide host files, folders or registry keys from sandboxed processes. - 對沙箱內的處理程序隱藏主機檔案、資料夾或登錄機碼。 + 對沙箱化處理程序隱藏主機檔案、資料夾或登錄機碼。 @@ -1797,7 +1836,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Wnd Class - Wnd 元件 + 視窗 Class @@ -1816,21 +1855,21 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + Select Directory 選擇目錄 - + - - - - + + + + @@ -1840,12 +1879,12 @@ Note: The update check is often behind the latest GitHub release to ensure that 所有程式 - - + + - - + + @@ -1865,7 +1904,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Opening all IPC access also opens COM access, do you still want to restrict COM to the sandbox? - 開放 IPC 存取權限的同時也將開放 COM 的存取權限,您是否想繼續在沙箱內限制 COM 介面的存取權限? + 開放全部 IPC 存取權限的同時也將開放 COM 的存取權限,您是否想繼續在沙箱中限制 COM 存取? @@ -1879,8 +1918,8 @@ Note: The update check is often behind the latest GitHub release to ensure that - - + + @@ -1893,201 +1932,227 @@ Note: The update check is often behind the latest GitHub release to ensure that 範本值無法刪除。 - + Enable the use of win32 hooks for selected processes. Note: You need to enable win32k syscall hook support globally first. 對選取的處理程序啟用 Win32 勾點 (注意: 需要先啟用全域範圍的 Win32k Syscall 勾點支援)。 - + Enable crash dump creation in the sandbox folder - 啟用沙箱資料夾內損毀傾印檔案之建立 + 啟用在沙箱資料夾內建立損毀傾印檔案 - + Always use ElevateCreateProcess fix, as sometimes applied by the Program Compatibility Assistant. 始終使用 ElevateCreateProcess 修復,因偶爾會被程式相容性疑難排解員套用。 - + Enable special inconsistent PreferExternalManifest behaviour, as needed for some Edge fixes Enable special inconsistent PreferExternalManifest behavioure, as neede for some edge fixes 啟用特殊的差異化 PreferExternalManifest 行為 (修復 Microsoft Edge 存在的某些問題需要開啟此選項) - + Set RpcMgmtSetComTimeout usage for specific processes 為特定處理程序設定 RpcMgmtSetComTimeout 選項 - + Makes a write open call to a file that won't be copied fail instead of turning it read-only. Hard to understand, But anyway there's "Makes | a write open call | to a file that won't be copied | fail" 使對一個「沒有被複製的」檔案進行的「寫入控制代碼」呼叫失敗,而不是將檔案本身變成唯讀。 - + Make specified processes think they have admin permissions. Make specified processes think thay have admin permissions. 讓指定的處理程序認為它們具有管理員權限。 - + Force specified processes to wait for a debugger to attach. - 強制要求被指定的處理程序等待偵錯工具的加入。 + 強制要求被指定的處理程序等待附加偵錯工具。 - + Sandbox file system root 沙箱檔案系統根目錄 - + Sandbox registry root 沙箱登錄根目錄 - + Sandbox ipc root 沙箱 IPC 根目錄 - - + + bytes (unlimited) - 字節(無限製) + 位元組 (無限制) - - + + bytes (%1) - 字節 (%1) + 位元組 (%1) - + unlimited - 無限製 + 無限制 - + Add special option: 加入特殊選項: - - + + On Start 啟動階段 - - - - - + + + + + Run Command 執行命令 - + Start Service 啟動服務 - + On Init 初始化階段 - + On File Recovery 檔案復原階段 - + On Delete Content 內容刪除階段 - + On Terminate 終止階段 - - - - - + + + + + Please enter the command line to be executed 請輸入將要執行的命令列 - + Please enter a program file name to allow access to this sandbox 請輸入程式檔案名稱以允許存取此沙箱 - + Please enter a program file name to deny access to this sandbox 請輸入程式檔案名稱以拒絕存取此沙箱 - + Failed to retrieve firmware table information. - 檢索固件表信息失敗。 + 取得韌體資料表資訊失敗。 - + Firmware table saved successfully to host registry: HKEY_CURRENT_USER\System\SbieCustom<br />you can copy it to the sandboxed registry to have a different value for each box. - 固件表已成功保存到主機註冊表:HKEY_CURRENT_USER\System\SbieCustom<br/>您可以將其復製到沙盒註冊表,為每個沙盒設置不同的值。 + 韌體資料表已成功儲存至主機登錄: HKEY_CURRENT_USER\System\SbieCustom<br/>您可以將其複製到沙箱化登錄,從而為每個沙箱設定不同的值。 Please enter a program file name 請輸入一個程式檔案名稱 - + Deny 拒絕 (停用) - + %1 (%2) %1 (%2) - - + + Process 處理程序 - - + + Folder 資料夾 - + Children - 子進程 + 子處理程序 - - - + + Document + 文件 + + + + + Select Executable File 選擇可執行檔 - - - + + + Executable Files (*.exe) 可執行檔 (*.exe) - + + Select Document Directory + 選取文件目錄 + + + + Please enter Document File Extension. + 請選取文件副檔名。 + + + + For security reasons it is not permitted to create entirely wildcard BreakoutDocument presets. + For security reasons it it not permitted to create entirely wildcard BreakoutDocument presets. + 由於安全原因,不允許建立完全通用字元的分離文件預設。 + + + + For security reasons the specified extension %1 should not be broken out. + 由於安全原因,指定的副檔名 %1 不應被設定分離規則。 + + + Forcing the specified entry will most likely break Windows, are you sure you want to proceed? Forcing the specified folder will most likely break Windows, are you sure you want to proceed? 強制使用指定的條目極有可能破壞 Windows,是否繼續? @@ -2120,7 +2185,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Border disabled - 停用邊框 + 邊框停用 @@ -2172,156 +2237,156 @@ Note: The update check is often behind the latest GitHub release to ensure that 應用程式區間 - + Custom icon 自訂圖示 - + Version 1 版本 1 - + Version 2 版本 2 - + Browse for Program 瀏覽程式 - + Open Box Options 開啟沙箱選項 - + Browse Content 瀏覽內容 - + Start File Recovery 開始復原檔案 - + Show Run Dialog 顯示執行對話方塊 - + Indeterminate 不確定 - + Backup Image Header 備份映像標頭 - + Restore Image Header 復原映像標頭 - + Change Password 變更密碼 - - + + Always copy 永遠複製 - - + + Don't copy 不要複製 - - + + Copy empty 複製空內容 - + kilobytes (%1) KB (%1) - + Select color 選擇顏色 - + Select Program 選擇程式 - + The image file does not exist 映像檔案不存在 - + The password is wrong 密碼錯誤 - + Unexpected error: %1 預期外錯誤: %1 - + Image Password Changed 映像密碼已變更 - + Backup Image Header for %1 為 %1 備份映像標頭 - + Image Header Backuped 已備份映像標頭 - + Restore Image Header for %1 為 %1 復原映像標頭 - + Image Header Restored 已復原映像標頭 - + Please enter a service identifier 請輸入服務識別字元 - + Executables (*.exe *.cmd) 可執行檔案 (*.exe *.cmd) - - + + Please enter a menu title 請輸入一個選單標題 - + Please enter a command 請輸入一則命令 @@ -2400,7 +2465,7 @@ Note: The update check is often behind the latest GitHub release to ensure that 輸入: IP 位址或連接埠不能為空 - + Allow @@ -2499,7 +2564,7 @@ Note: The update check is often behind the latest GitHub release to ensure that Error: %1 - 錯誤:%1 + 錯誤: %1 @@ -2520,7 +2585,7 @@ should contain the following file: The selected location does not contain this file. Please select a folder which contains this file. - “%1”的備用位置 + 「%1」的備用位置 應包含以下檔案: %2 @@ -2529,62 +2594,62 @@ Please select a folder which contains this file. 請選擇包含此檔案的資料夾。 - + Sandboxie Plus - '%1' Options Sandboxie Plus - '%1' 選項 - + File Options 檔案選項 - + Grouping 分組 - + Add %1 Template 加入 %1 範本 - + Search for options 搜尋選項 - + Box: %1 沙箱: %1 - + Template: %1 範本: %1 - + Global: %1 全域: %1 - + Default: %1 預設: %1 - + This sandbox has been deleted hence configuration can not be saved. 此沙箱已被刪除,因此組態無法儲存。 - + Some changes haven't been saved yet, do you really want to close this options window? 部分變更未儲存,確定關閉這個選項視窗嗎? - + Enter program: 請輸入程式: @@ -2635,12 +2700,12 @@ Please select a folder which contains this file. CPopUpProgress - + Dismiss - 關閉 + 忽略 - + Remove this progress indicator from the list 在清單中刪除此處理程序標記 @@ -2648,42 +2713,42 @@ Please select a folder which contains this file. CPopUpPrompt - + Remember for this process 記住對此處理程序的選擇 - + Yes - + No - + Terminate 終止 - + Yes and add to allowed programs - 確定並新增到允許的程式中 + 確定並新增至已允許程式 - + Requesting process terminated 請求的處理程序已終止 - + Request will time out in %1 sec 請求將在 %1 秒後逾時 - + Request timed out 請求逾時 @@ -2691,67 +2756,67 @@ Please select a folder which contains this file. CPopUpRecovery - + Recover to: 復原至: - + Browse 瀏覽 - + Clear folder list 清除資料夾清單 - + Recover 復原 - + Recover the file to original location - 復原檔案到原始路徑 + 復原檔案至原始路徑 - + Recover && Explore 復原 && 瀏覽 - + Recover && Open/Run 復原 && 開啟/執行 - + Open file recovery for this box 為此沙箱開啟檔案復原 - + Dismiss 關閉 - + Don't recover this file right now 目前暫不復原此檔案 - + Dismiss all from this box 對此沙箱全部忽略 - + Disable quick recovery until the box restarts 在沙箱重新啟動前停用快速復原 - + Select Directory 選擇目錄 @@ -2770,27 +2835,27 @@ Please select a folder which contains this file. Do you want to allow the print spooler to write outside the sandbox for %1 (%2)? - 您確定允許 %1 (%2) 使用列印服務在沙箱外寫入嗎? + 是否允許列印服務為 %1 (%2) 在沙箱外寫入? Do you want to allow %4 (%5) to copy a %1 large file into sandbox: %2? File name: %3 - 您確定允許 %4 (%5) 複製大型檔案 %1 至沙箱: %2? + 是否允許 %4 (%5) 複製大型檔案 %1 至沙箱: %2? 檔案名稱: %3 Do you want to allow %1 (%2) access to the internet? Full path: %3 - 您確定允許 %1 (%2) 存取網路嗎? -完整路徑: %3 + 是否允許 %1 (%2) 存取網際網路? +完整位址: %3 %1 is eligible for quick recovery from %2. The file was written by: %3 - %1 可以從 %2 快速復原。 + %1 符合從 %2 快速復原的需求。 檔案寫入自: %3 @@ -2866,7 +2931,7 @@ Full path: %4 Remember target selection - 記住對此目的的選擇 + 記住對此目標的選擇 @@ -2891,37 +2956,42 @@ Full path: %4 - + Select Directory 選擇目錄 - + + No Files selected! + 未選取任何檔案! + + + Do you really want to delete %1 selected files? 是否刪除 %1 選取的檔案? - + Close until all programs stop in this box - 關閉,在沙箱內全部程式停止後再顯示 + 關閉,直到沙箱內全部程式停止後 - + Close and Disable Immediate Recovery for this box 關閉並停用此沙箱的快速復原 - + There are %1 new files available to recover. 有 %1 個新檔案可供復原。 - + Recovering File(s)... 正在復原檔案... - + There are %1 files and %2 folders in the sandbox, occupying %3 of disk space. 此沙箱中共有 %1 個檔案和 %2 個資料夾,占用了 %3 磁碟空間。 @@ -2965,7 +3035,7 @@ Error: Like with any other security product, it's important to keep your Sandboxie-Plus up to date. Like with any other security product it's important to keep your Sandboxie-Plus up to date. - 如同其他任何安全性產品,保持 Sandboxie-Plus 為最新非常重要。 + 如同其它任何安全性產品,保持 Sandboxie-Plus 為最新非常重要。 @@ -3080,22 +3150,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBox - + Waiting for folder: %1 正在等待資料夾: %1 - + Deleting folder: %1 正在刪除資料夾: %1 - + Merging folders: %1 &gt;&gt; %2 正在合併資料夾: %1 &gt;&gt; %2 - + Finishing Snapshot Merge... 正在完成快照合併... @@ -3103,37 +3173,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, CSandBoxPlus - + Disabled 停用 - + OPEN Root Access 開放 Root 存取權限 - + Application Compartment 應用程式區間 - + NOT SECURE 不安全 - + Reduced Isolation 弱化隔離 - + Enhanced Isolation 增強隔離 - + Privacy Enhanced 隱私增強 @@ -3142,32 +3212,32 @@ Unlike the preview channel, it does not include untested, potentially breaking, API 日誌 - + No INet (with Exceptions) 無網際網路 (允許例外) - + No INet 無網際網路 - + Net Share 區域網路共享 - + No Admin 無管理員 - + Auto Delete 自動刪除 - + Normal 標準 @@ -3181,22 +3251,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Sandboxie-Plus v%1 - + Reset Columns 重設欄 - + Copy Cell 複製單元格 - + Copy Row 複製列 - + Copy Panel 複製表格 @@ -3459,7 +3529,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, - + About Sandboxie-Plus 關於 Sandboxie-Plus @@ -3545,9 +3615,9 @@ Do you want to do the clean up? - - - + + + Don't show this message again. 不再顯示此訊息。 @@ -3579,7 +3649,7 @@ This box <a href="sbie://docs/privacy-mode">prevents access to a Unknown operation '%1' requested via command line - 透過命令列請求的未知操作 '%1' + 透過命令列請求的未知作業「%1」 @@ -3656,19 +3726,19 @@ Please check if there is an update for sandboxie. 是否略過設定精靈? - - - + + + Sandboxie-Plus - Error Sandboxie-Plus - 錯誤 - + Failed to stop all Sandboxie components 停止所有 Sandboxie 元件失敗 - + Failed to start required Sandboxie components 啟動所需 Sandboxie 元件失敗 @@ -3715,7 +3785,7 @@ No will choose: %2 %1 (%2): - + The selected feature set is only available to project supporters. Processes started in a box with this feature set enabled without a supporter certificate will be terminated after 5 minutes.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> 選取的功能只對專案贊助者可用。如果沒有贊助者憑證,在啟用此功能的沙箱內啟動的處理程序,將在 5 分鐘後自動終止。<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">成為專案贊助者</a>,以取得<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">贊助者憑證</a> @@ -3733,7 +3803,7 @@ No will choose: %2 Do this for all files! - 為所有檔案執行此操作! + 為所有檔案執行此作業! @@ -3775,22 +3845,22 @@ No will choose: %2 - + Only Administrators can change the config. 僅管理員可變更此組態。 - + Please enter the configuration password. 請輸入組態的密碼。 - + Login Failed: %1 登入失敗: %1 - + Do you want to terminate all processes in all sandboxes? 確定要終止所有沙箱中的所有處理程序嗎? @@ -3799,114 +3869,114 @@ No will choose: %2 終止全部並不再詢問 - + Sandboxie-Plus was started in portable mode and it needs to create necessary services. This will prompt for administrative privileges. Sandboxie-Plus 已於便攜模式中啟動,需建立必要的服務。這將需要管理員權限。 - + CAUTION: Another agent (probably SbieCtrl.exe) is already managing this Sandboxie session, please close it first and reconnect to take over. - 注意: 另一個代理 (可能是 SbieCtrl.exe) 已經在管理這個 Sandboxie 工作階段,請先關閉其他代理並重新連線進行接管控制。 + 注意: 另一個代理 (可能是 SbieCtrl.exe) 已經在管理這個 Sandboxie 工作階段,請先關閉其它代理並重新連線進行接管控制。 - + Executing maintenance operation, please wait... 正在執行維護作業,請稍候... - + Do you also want to reset hidden message boxes (yes), or only all log messages (no)? 請確認是否要重設已隱藏的訊息框 (選「是」),或者僅重設所有日誌訊息 (選「否」)? - + The changes will be applied automatically whenever the file gets saved. 每當檔案儲存後更改將自動套用。 - + The changes will be applied automatically as soon as the editor is closed. - 變更將在編輯器關閉後自動提交。 + 變更將在編輯器關閉後自動套用。 - + Error Status: 0x%1 (%2) - 錯誤程式碼: 0x%1 (%2) + 錯誤狀態碼: 0x%1 (%2) - + Unknown 未知 - + A sandbox must be emptied before it can be deleted. 刪除沙箱前必須先清空。 - + Failed to copy box data files 複製沙箱資料檔案失敗 - + Failed to remove old box data files 移除舊沙箱資料檔案失敗 - + Unknown Error Status: 0x%1 未知錯誤狀態: 0x%1 - + Do you want to open %1 in a sandboxed or unsandboxed Web browser? - 是否在沙箱化或非沙箱化網路瀏覽器中開啟 %1? + 是否在沙箱化或非沙箱化網頁瀏覽器中開啟 %1? - + Sandboxed 沙箱化 - + Unsandboxed 非沙箱化 - + Case Sensitive 區分大小寫 - + RegExp 正規表示式 - + Highlight 醒目提示 - + Close 關閉 - + &Find ... 尋找(&F)... - + All columns 所有欄 <h3>About Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2024 by DavidXanatos</p> <h3>About Sandboxie-Plus</h3><p>Version %1</p><p>Copyright (c) 2020-2023 by DavidXanatos</p> - <h3>關於 Sandboxie-Plus</h3><p>版本 %1</p><p>Copyright (c) 2020-2024 by DavidXanatos</p> + <h3>關於 Sandboxie-Plus</h3><p>版本 %1</p><p>版權所有 (c) 2020-2024 作者 DavidXanatos</p> This copy of Sandboxie+ is certified for: %1 @@ -3921,9 +3991,9 @@ No will choose: %2 Sandboxie-Plus 是著名程式 Sandboxie 自開源以來的一個延續。<br />造訪 <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> 來了解更多資訊。<br /><br />%3<br /><br />驅動版本: %1<br />功能: %2<br /><br />圖示來源 <a href="https://icons8.com">icons8.com</a> - + Administrator rights are required for this operation. - 此操作需要管理員權限。 + 此作業需要管理員權限。 @@ -3956,7 +4026,7 @@ No will choose: %2 Is Window Sandboxed? Is Window Sandboxed - 檢查視窗是否沙箱化? + 視窗是否在沙箱中? @@ -4076,7 +4146,7 @@ No will choose: %2 Edit-ini Menu - 編輯-ini 選單 + 編輯-INI 選單 @@ -4131,7 +4201,7 @@ No will choose: %2 for Personal use - 個人使用者 + 個人使用 @@ -4143,27 +4213,27 @@ No will choose: %2 是否略過設定精靈? - - + + (%1) (%1) - + The program %1 started in box %2 will be terminated in 5 minutes because the box was configured to use features exclusively available to project supporters. 在沙箱 %2 中啟動的程式 %1 將在 5 分鐘之後自動終止,因為此沙箱被設定為使用專案贊助者的專有功能。 - + The box %1 is configured to use features exclusively available to project supporters, these presets will be ignored. 沙箱 %1 被設定為使用專案贊助者專有的沙箱類型,這些預設選項將被忽略。 - - - - + + + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">成為專案贊助者</a>,以取得<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">贊助者憑證</a> @@ -4193,19 +4263,19 @@ No will choose: %2 This box will be <a href="sbie://docs/boxencryption">encrypted</a> and <a href="sbie://docs/black-box">access to sandboxed processes will be guarded</a>. - 此沙箱將被<a href="sbie://docs/boxencryption">加密</a>,並且<a href="sbie://docs/black-box">對沙箱處理程序的存取將被防衛< /a >。 + 此沙箱將被<a href="sbie://docs/boxencryption">加密</a>,並且<a href="sbie://docs/black-box">對沙箱化處理程序的存取將被防衛< /a >。 Which box you want to add in? - 您想添加到哪個沙盒? + 你想要新增至哪個沙箱? Type the box name which you are going to set: - 輸入您希望設置的沙盒名稱: + 輸入你希望設定的沙箱名稱: @@ -4225,13 +4295,13 @@ No will choose: %2 You typed a wrong box name! Nothing was changed. - 您輸入了錯誤的沙盒名!未更改任何設置。 + 輸入沙箱名稱錯誤!未變更任何設定。 User canceled this operation. - 用戶取消本次操作。 + 使用者取消了此作業。 @@ -4244,127 +4314,127 @@ No will choose: %2 執行 沙箱終止階段 中: %1 - + Failed to configure hotkey %1, error: %2 設定快速鍵組態 %1 失敗,錯誤: %2 - + The box %1 is configured to use features exclusively available to project supporters. 沙箱 %1 之組態設定為使用專案贊助者獨有的功能。 - + The box %1 is configured to use features which require an <b>advanced</b> supporter certificate. 沙箱 %1 之組態設定為使用需要<b>進階</b>贊助者憑證的功能。 - - + + <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">Upgrade your Certificate</a> to unlock advanced features. <br /><a href="https://sandboxie-plus.com/go.php?to=sbie-upgrade-cert">升級憑證</a>以解鎖進階功能。 - + The selected feature requires an <b>advanced</b> supporter certificate. 選定的功能需要<b>進階</b>贊助者憑證。 - + <br />you need to be on the Great Patreon level or higher to unlock this feature. - <br />你需要在Patreon贊助上成為Great或更高級別以便解鎖這個功能。 + <br />你需要在 Great Patreon 或更高等級以解鎖這個功能。 - + The selected feature set is only available to project supporters.<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">Become a project supporter</a>, and receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a> 所選功能集僅供專案贊助者使用。<br /><a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">成為專案贊助者</a >,並取得<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">贊助者憑證</a> - + The certificate you are attempting to use has been blocked, meaning it has been invalidated for cause. Any attempt to use it constitutes a breach of its terms of use! 您正在嘗試使用的憑證已被封鎖,這意味著其已因某些原因而失效。任何試圖使用它的行為都違反了使用條款! - + The Certificate Signature is invalid! 憑證數位簽章無效! - + The Certificate is not suitable for this product. 憑證不適用於此產品。 - + The Certificate is node locked. 憑證已被節點鎖定。 - + The support certificate is not valid. Error: %1 贊助憑證無效。 錯誤: %1 - + The evaluation period has expired!!! The evaluation periode has expired!!! - 評估期已過!!! + 評估時段已逾期!!! - - + + Don't ask in future 此後不再詢問 - + Do you want to terminate all processes in encrypted sandboxes, and unmount them? - 是否終止加密沙箱中的所有處理程序並將其卸載? + 是否終止所有加密沙箱中的所有處理程序並將其全部卸載? - + Please enter the duration, in seconds, for disabling Forced Programs rules. 請輸入「停用強制沙箱程式規則」的持續時間 (單位:秒)。 - + No Recovery 沒有復原檔案 - + No Messages 沒有訊息 - + <b>ERROR:</b> The Sandboxie-Plus Manager (SandMan.exe) does not have a valid signature (SandMan.exe.sig). Please download a trusted release from the <a href="https://sandboxie-plus.com/go.php?to=sbie-get">official Download page</a>. <b>錯誤:</b> Sandboxie-Plus 管理員 (SandMan.exe) 沒有有效的數位簽章 (SandMan.exe.sig)。請從<a href="https://sandboxie-plus.com/go.php?to=sbie-get">官方下載頁面</a>下載可信賴的版本。 - + Maintenance operation failed (%1) 維護作業執行失敗 (%1) - + Maintenance operation completed 維護作業完成 - + In the Plus UI, this functionality has been integrated into the main sandbox list view. 在 Plus UI 中,此功能已被整合到主沙箱清單檢視中。 - + Using the box/group context menu, you can move boxes and groups to other groups. You can also use drag and drop to move the items around. Alternatively, you can also use the arrow keys while holding ALT down to move items up and down within their group.<br />You can create new boxes and groups from the Sandbox menu. - 使用「沙箱/群組」右鍵選單,您可以將沙箱在沙箱群組之間移動。同時,您也可以透過 Alt + 方向鍵或滑鼠拖曳來整理清單。<br />另外,您可以透過右鍵選單來新增「沙箱/群組」。 + 使用「沙箱/群組」上下文選單可以將沙箱和群組移動至其它群組。同時,您可以透過滑鼠拖曳移動項目。此外,您也可以使用 Alt + 方向鍵將項目在群組內上下移動。<br />您可以透過沙箱選單新增沙箱和群組。 - + You are about to edit the Templates.ini, this is generally not recommended. This file is part of Sandboxie and all change done to it will be reverted next time Sandboxie is updated. You are about to edit the Templates.ini, thsi is generally not recommeded. @@ -4373,249 +4443,249 @@ This file is part of Sandboxie and all changed done to it will be reverted next 因為該檔案是 Sandboxie 的一部分並且所有的變更會在下次 Sandboxie 更新時被還原。 - + Sandboxie config has been reloaded 已重新載入 Sandboxie 組態 - + Failed to execute: %1 執行失敗: %1 - + Failed to connect to the driver 連線驅動程式失敗 - + Failed to communicate with Sandboxie Service: %1 無法與 Sandboxie 服務建立聯絡: %1 - + An incompatible Sandboxie %1 was found. Compatible versions: %2 已發現不相容的 Sandboxie %1。相容版本為: %2 - + Can't find Sandboxie installation path. 無法找到 Sandboxie 安裝路徑。 - + Failed to copy configuration from sandbox %1: %2 複製沙箱組態 %1: %2 失敗 - + A sandbox of the name %1 already exists 沙箱名稱 %1 已存在 - + Failed to delete sandbox %1: %2 刪除沙箱 %1: %2 失敗 - + The sandbox name can not be longer than 32 characters. 沙箱名稱不能超過 32 個字元。 - + The sandbox name can not be a device name. 沙箱名稱不能為裝置名稱。 - + The sandbox name can contain only letters, digits and underscores which are displayed as spaces. 沙箱名稱不能為空白,只能包含字母、數字和下劃線。 - + Failed to terminate all processes 終止所有處理程序失敗 - + Delete protection is enabled for the sandbox 沙箱的刪除保護已被啟用 - + All sandbox processes must be stopped before the box content can be deleted - 在刪除沙箱內容之前,必須先停止沙箱內的所有處理程序 + 在刪除沙箱內容之前,必須先停止所有沙箱處理程序 - + Error deleting sandbox folder: %1 刪除沙箱資料夾錯誤: %1 - + All processes in a sandbox must be stopped before it can be renamed. A all processes in a sandbox must be stopped before it can be renamed. 在重新命名沙箱前,所有處理程序都應被停止。 - + Failed to move directory '%1' to '%2' - 移動目錄 '%1' 到 '%2' 失敗 + 移動目錄「%1」至「%2」失敗 - + Failed to move box image '%1' to '%2' - 移動沙箱映像 '%1' 至 '%2' 失敗 + 移動沙箱映像「%1」至「%2」失敗 - + This Snapshot operation can not be performed while processes are still running in the box. - 因處理程序正在沙箱中執行,此快照操作無法完成。 + 因處理程序正在沙箱中執行,無法開展此快照作業。 - + Failed to create directory for new snapshot 為新快照建立目錄失敗 - + Snapshot not found 未發現快照 - + Error merging snapshot directories '%1' with '%2', the snapshot has not been fully merged. - 合併快照目錄 '%1' 和 '%2' 錯誤,快照沒有被完全合併。 + 合併快照目錄「%1」和「%2」錯誤,快照沒有被完全合併。 - + Failed to remove old snapshot directory '%1' - 移除舊快照的目錄 '%1' 失敗 + 移除舊快照的目錄「%1」失敗 - + Can't remove a snapshot that is shared by multiple later snapshots 無法刪除由多個後續快照共享的快照 - + You are not authorized to update configuration in section '%1' - 您未被授權在 '%1' 更新組態 + 您未被授權在區段「%1」更新組態 - + Failed to set configuration setting %1 in section %2: %3 在 %2: %3 中設定組態選項 %1 失敗 - + Can not create snapshot of an empty sandbox 無法為空的沙箱建立快照 - + A sandbox with that name already exists 已存在同名沙箱 - + The config password must not be longer than 64 characters 組態密碼不得超過 64 個字元 - + The operation was canceled by the user - 此操作已被使用者取消 + 此作業已被使用者取消 - + The content of an unmounted sandbox can not be deleted The content of an un mounted sandbox can not be deleted 未被裝載的沙箱之內容不可被刪除 - + %1 %1 - + Import/Export not available, 7z.dll could not be loaded 匯入/匯出無法使用,無法載入 7z.dll - + Failed to create the box archive 無法建立沙箱封存檔案 - + Failed to open the 7z archive 無法開啟 7z 封存檔案 - + Failed to unpack the box archive 無法解壓縮沙箱封存檔案 - + The selected 7z file is NOT a box archive 所選的 7z 檔案不是沙箱封存檔案 - + Operation failed for %1 item(s). %1 項操作失敗。 - + <h3>About Sandboxie-Plus</h3><p>Version %1</p><p> - <h3>關於 Sandboxie+</h3><p>版本 %1</p><p> + <h3>關於 Sandboxie-Plus</h3><p>版本 %1</p><p> - + This copy of Sandboxie-Plus is certified for: %1 - 本 Sandboxie+ 副本已授權為: %1 - - - - Sandboxie-Plus is free for personal and non-commercial use. - Sandboxie+ 可免費用於個人和其他非商業用途。 + 這一份 Sandboxie-Plus 已授權給: %1 + Sandboxie-Plus is free for personal and non-commercial use. + Sandboxie-Plus 可免費用於個人和其它非商業用途。 + + + Sandboxie-Plus is an open source continuation of Sandboxie.<br />Visit <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> for more information.<br /><br />%2<br /><br />Features: %3<br /><br />Installation: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />Icons from <a href="https://icons8.com">icons8.com</a> - Sandboxie+ 是 Sandboxie 的開源延續。<br />前往 <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> 了解更多資訊。<br /><br />%2<br /><br />特性: %3<br /><br />已安裝: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />圖示來自於 <a href="https://icons8.com">icons8.com</a> + Sandboxie-Plus 是 Sandboxie 的一個開源延續。<br />造訪 <a href="https://sandboxie-plus.com">sandboxie-plus.com</a> 了解更多資訊。<br /><br />%2<br /><br />特性: %3<br /><br />已安裝: %1<br />SbieDrv.sys: %4<br /> SbieSvc.exe: %5<br /> SbieDll.dll: %6<br /><br />圖示來自於 <a href="https://icons8.com">icons8.com</a> Do you want to open %1 in a sandboxed (yes) or unsandboxed (no) Web browser? 是否在沙箱化網頁瀏覽器開啟連結 %1 ? - + Remember choice for later. 記住選擇供之後使用。 - + The supporter certificate is not valid for this build, please get an updated certificate 此贊助者憑證對此版本沙箱無效,請取得更新的憑證 - + The supporter certificate has expired%1, please get an updated certificate The supporter certificate is expired %1 days ago, please get an updated certificate 此贊助者憑證已逾期%1,請取得更新的憑證 - + , but it remains valid for the current build ,但它對目前組建的沙箱版本仍然有效 - + The supporter certificate will expire in %1 days, please get an updated certificate 此贊助者憑證將在 %1 天後逾期,請取得更新的憑證 @@ -4632,7 +4702,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next Drag the Finder Tool over a window to select it, then release the mouse to check if the window is sandboxed. - 拖曳搜尋小工具 (左方) 到要選取的視窗上,放開滑鼠檢查視窗是否來自沙箱化的程式。 + 拖曳搜尋工具 (左方) 至要選取的視窗上,放開滑鼠檢查視窗是否被沙箱化。 @@ -4642,7 +4712,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next Sandboxie Manager can not be run sandboxed! - Sandboxie 管理員不能在沙箱中執行! + Sandboxie 管理員不能沙箱化執行! @@ -4726,7 +4796,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next Sbie Svc - 沙箱軟體服務 + 沙箱服務 @@ -4893,38 +4963,38 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieTemplatesEx - + Failed to initialize COM 初始化 COM 物件失敗 - + Failed to create update session 建立更新工作階段失敗 - + Failed to create update searcher 建立更新搜尋程式失敗 - + Failed to set search options 設定搜尋選項失敗 - + Failed to enumerate installed Windows updates Failed to search for updates 無法列舉已安裝的 Windows 更新 - + Failed to retrieve update list from search result 從搜尋結果取得更新清單失敗 - + Failed to get update count 取得更新計數失敗 @@ -4932,347 +5002,347 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSbieView - - + + Create New Box 建立新沙箱 - + Remove Group 刪除群組 - - + + Run 執行 - + Run Program 執行程式 - + Run from Start Menu 從開始選單執行 - + Default Web Browser 預設網頁瀏覽器 - + Default eMail Client 預設電子郵件用戶端 - + Windows Explorer Windows 檔案總管 - + Registry Editor 登錄編輯程式 - + Programs and Features 程式和功能 - + Terminate All Programs 終止所有程式 - - - - - + + + + + Create Shortcut 建立捷徑 - - + + Explore Content 瀏覽內容 - - + + Snapshots Manager 快照管理 - + Recover Files 復原檔案 - - + + Delete Content 刪除內容 - + Sandbox Presets 沙箱預設 - + Ask for UAC Elevation 詢問 UAC 權限提升 - + Drop Admin Rights 廢棄管理員許可 - + Emulate Admin Rights 模擬管理員許可 - + Block Internet Access 阻止網際網路存取 - + Allow Network Shares 允許區域網路共用 - + Sandbox Options 沙箱選項 - + Standard Applications 標準應用程式 - + Browse Files 瀏覽檔案 - - + + Sandbox Tools 沙箱工具 - + Duplicate Box Config 複製沙箱組態 - - + + Rename Sandbox 重新命名沙箱 - - + + Move Sandbox 移動沙箱 - - + + Remove Sandbox 刪除沙箱 - - + + Terminate 終止 - + Preset 預設 - - + + Pin to Run Menu - 固定到執行選單 + 釘選至執行選單 - + Block and Terminate 阻止並終止 - + Allow internet access 允許網際網路存取 - + Force into this sandbox 強制加入此沙箱 - + Set Linger Process 設定駐留處理程序 - + Set Leader Process 設定引導處理程序 - + File root: %1 檔案根目錄: %1 - + Registry root: %1 登錄根目錄: %1 - + IPC root: %1 IPC 根目錄: %1 - + Options: 選項: - + [None] [無] - + Please enter a new group name 請輸入新的群組名稱 - + Do you really want to remove the selected group(s)? - 確定要刪除所選群組嗎? - - - - - Create Box Group - 建立沙箱群組 - - - - Rename Group - 重新命名群組 - - - - - Stop Operations - 停止作業 - - - - Command Prompt - 命令提示字元 - - - - Command Prompt (as Admin) - 命令提示字元 (管理員) - - - - Command Prompt (32-bit) - 命令提示字元 (32 位元) - - - - Execute Autorun Entries - 執行「自動執行」條目 - - - - Browse Content - 瀏覽內容 - - - - Box Content - 沙箱內容 - - - - Open Registry - 開啟登錄 - - - - - Refresh Info - 重新整理資訊 + 是否刪除所選群組? + Create Box Group + 建立沙箱群組 + + + + Rename Group + 重新命名群組 + + + + + Stop Operations + 停止作業 + + + + Command Prompt + 命令提示字元 + + + + Command Prompt (as Admin) + 命令提示字元 (管理員) + + + + Command Prompt (32-bit) + 命令提示字元 (32 位元) + + + + Execute Autorun Entries + 執行「自動執行」條目 + + + + Browse Content + 瀏覽內容 + + + + Box Content + 沙箱內容 + + + + Open Registry + 開啟登錄 + + + + + Refresh Info + 重新整理資訊 + + + + Import Box 匯入沙箱 - - + + (Host) Start Menu - 開始選單 (主機) + (主機) 開始選單 - + Immediate Recovery 即時復原 - + Disable Force Rules 停用強制規則 - + Export Box 匯出沙箱 - - + + Move Up 向上移 - - + + Move Down 向下移 @@ -5281,288 +5351,289 @@ This file is part of Sandboxie and all changed done to it will be reverted next 在沙箱中執行 - + Run Web Browser 執行網頁瀏覽器 - + Run eMail Reader 執行電子郵件閱讀器 - + Run Any Program 執行任意程式 (Run) - + Run From Start Menu 從開始選單執行 - + Run Windows Explorer 執行 Windows 檔案總管 - + Terminate Programs 終止程式 - + Quick Recover 快速復原 - + Sandbox Settings 沙箱設定 - + Duplicate Sandbox Config 複製沙箱組態 - + Export Sandbox 匯出沙箱 - + Move Group 移動群組 - + Disk root: %1 磁碟根目錄: %1 - + Please enter a new name for the Group. 請為群組輸入新名稱。 - + Move entries by (negative values move up, positive values move down): 移動條目 (負值向上移動,正值向下移動): - + A group can not be its own parent. 群組不能作為其本身的上級群組。 - + Failed to open archive, wrong password? 開啟封存檔失敗,密碼是否存在錯誤? - + Failed to open archive (%1)! 開啟封存檔失敗 (%1)! - + + + 7-Zip Archive (*.7z);;Zip Archive (*.zip) + 7-Zip 封存檔 (*.7z);;Zip 封存檔 (*.zip) + + This name is already in use, please select an alternative box name - 名稱已被使用,請選擇其他沙箱名稱 + 名稱已被使用,請選擇其它沙箱名稱 - Importing Sandbox - 正在導入沙盒 + 正在匯入沙箱 - Do you want to select custom root folder? - 是否要選擇一個自定義的根目錄? + 是否選擇自訂根資料夾? - + Importing: %1 正在匯入: %1 - + The Sandbox name and Box Group name cannot use the ',()' symbol. - 沙箱名稱和沙箱群組名稱不能使用 ',()' 符號。 + 沙箱名稱和沙箱群組名稱不能使用「,()」符號。 - + This name is already used for a Box Group. 名稱已被用於現有的其它沙箱群組。 - + This name is already used for a Sandbox. 名稱已被用於現有的其它沙箱。 - - - + + + Don't show this message again. 不再顯示此訊息。 - - - + + + This Sandbox is empty. 此沙箱為空。 - + WARNING: The opened registry editor is not sandboxed, please be careful and only do changes to the pre-selected sandbox locations. - 警告: 開啟的登錄編輯程式未沙箱化,請審慎且僅對預先選取的沙箱位置進行修改。 + 警告: 開啟的登錄編輯程式未被沙箱化,請審慎且僅對預先選取的沙箱位置進行修改。 - + Don't show this warning in future 之後不再顯示此警告 - + Please enter a new name for the duplicated Sandbox. 請為複製的沙箱輸入一個新名稱。 - + %1 Copy 沙箱名稱只能包含字母、數字和下劃線,不應對此處的文字進行翻譯! %1 Copy - - + + Select file name 選擇檔名 - - + + Mount Box Image 裝載沙箱映像 - - + + Unmount Box Image 卸載沙箱映像 - + Suspend 暫停 - + Resume 恢復 - - 7-zip Archive (*.7z) - 7-zip 封存檔案 (*.7z) + 7-zip 封存檔案 (*.7z) - + Exporting: %1 正在匯出: %1 - + Please enter a new name for the Sandbox. 請為沙箱輸入新名稱。 - + Please enter a new alias for the Sandbox. - 請輸入沙盒的新別名。 + 請輸入沙箱的新別名。 - + The entered name is not valid, do you want to set it as an alias instead? - 輸入的名稱無效,是否要將其設置為沙盒別名? + 輸入的名稱無效,是否要將其設定為沙箱別名? - + Do you really want to remove the selected sandbox(es)?<br /><br />Warning: The box content will also be deleted! Do you really want to remove the selected sandbox(es)? - 確定要刪除選取的沙箱?<br /><br />警告: 沙箱內的內容也將一併刪除! + 是否刪除全部已選取的沙箱?<br /><br />警告: 沙箱內容也將一併刪除! - + This Sandbox is already empty. 此沙箱為空。 - - + + Do you want to delete the content of the selected sandbox? - 確定要刪除所選沙箱的內容嗎? + 是否刪除所選沙箱的內容? - - + + Also delete all Snapshots 同時刪除所有快照 - + Do you really want to delete the content of all selected sandboxes? - 確定要刪除所選沙箱的內容嗎? + 是否刪除全部已選沙箱的內容? - + Do you want to terminate all processes in the selected sandbox(es)? - 確定要終止選定沙箱中的所有處理程序嗎? + 是否終止選定沙箱中的所有處理程序? - - + + Terminate without asking 終止且不再詢問 - + The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a new shortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. The Sandboxie Start Menu will now be displayed. Select an application from the menu, and Sandboxie will create a newshortcut icon on your real desktop, which you can use to invoke the selected application under the supervision of Sandboxie. 現在將顯示 Sandboxie 開始選單。從選單中選擇一個應用程式,Sandboxie 將在真實桌面上建立一個新的捷徑圖示,您可以用它來呼叫所選受 Sandboxie 監督的應用程式。 - - + + Create Shortcut to sandbox %1 為沙箱 %1 建立捷徑 - + Do you want to terminate %1? Do you want to %1 %2? - 確定要終止 %1 嗎? + 是否終止 %1? - + the selected processes 選取的處理程序 - + This box does not have Internet restrictions in place, do you want to enable them? 此沙箱無網際網路限制,確定要啟用嗎? - + This sandbox is currently disabled or restricted to specific groups or users. Would you like to allow access for everyone? This sandbox is disabled or restricted to a group/user, do you want to allow box for everybody ? - 此沙箱已停用或被限制到特定群組/使用者,是否編輯? + 此沙箱已停用或被限制至特定群組/使用者,是否允許所有人存取? @@ -5593,7 +5664,7 @@ This file is part of Sandboxie and all changed done to it will be reverted next Are you sure you want to run the program outside the sandbox? - 您確定要在沙箱外執行程式嗎? + 是否在沙箱外執行程式? @@ -5604,468 +5675,468 @@ This file is part of Sandboxie and all changed done to it will be reverted next CSettingsWindow - + Sandboxie Plus - Global Settings Sandboxie Plus - Settings Sandboxie Plus - 全域設定 - + Auto Detection 自動偵測 - + No Translation 無翻譯 - - + + Don't integrate links 不整合連結 - - + + As sub group 作為次級群組 - - + + Fully integrate 完全整合 - + Don't show any icon Don't integrate links 不顯示任何圖示 - + Show Plus icon 顯示 Plus 版圖示 - + Show Classic icon 顯示經典版圖示 - + All Boxes 所有沙箱 - - - Active + Pinned - 啟用中或已固定的沙箱 - - Pinned Only - 僅已固定的沙箱 + Active + Pinned + 啟用中和已釘選的沙箱 - + + Pinned Only + 僅已釘選的沙箱 + + + Close to Tray 關閉至系統匣 - + Prompt before Close 關閉前提醒 - + Close 關閉 - + None - + Native 原生 - + Qt Qt - + Every Day 每天 - + Every Week 每週 - + Every 2 Weeks 每2週 - + Every 30 days 每30天 - + Ignore 忽略 - + %1 %1 % %1 - + HwId: %1 - 固件ID: %1 + 硬體ID: %1 - + Search for settings 搜尋設定 - - - + + + Run &Sandboxed - 在沙箱中執行(&S) + 在沙箱內執行(&S) - + kilobytes (%1) KB (%1) - + Volume not attached - 未加入磁碟區 + 未附加磁碟區 - + <b>You have used %1/%2 evaluation certificates. No more free certificates can be generated.</b> - <b>您已經使用了%1/%2個試用證書。無法生成更多免費證書了。</b> - - - - <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> - <b><a href="_">獲取一個免費試用證書</a>體驗高級功能 %1 天。</b> - - - - You can request a free %1-day evaluation certificate up to %2 times per hardware ID. - 對於任何一個硬件ID,您最多可以請求%2次免費的%1天試用證書 + <b>您已經使用了%1/%2個評估憑證。無法生成更多免費憑證了。</b> + <b><a href="_">Get a free evaluation certificate</a> and enjoy all premium features for %1 days.</b> + <b><a href="_">取得一個免費評估憑證</a>並享受所有高級功能 %1 天。</b> + + + + You can request a free %1-day evaluation certificate up to %2 times per hardware ID. + 對於每個硬體ID,您最多可以請求%2次免費的%1天評估憑證。 + + + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 此贊助者憑證已逾期,請<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">取得更新的憑證</a>。 - + <br /><font color='red'>For the current build Plus features remain enabled</font>, but you no longer have access to Sandboxie-Live services, including compatibility updates and the troubleshooting database. <br /><font color='red'>對於目前版本,Plus 功能仍然啟用</font>,但您無法再存取 Sandboxie-Live 服務,包括相容性更新和疑難排解資料庫。 - + This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 此贊助者憑證將<font color='red'>在 %1 天後逾期</font>,請<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert " >取得更新的憑證</a>。 - + Expires in: %1 days Expires: %1 Days ago - 過期時間:%1天後 + 逾期於: %1天後 - + Expired: %1 days ago - 已過期:%1天前 + 已逾期: %1天前 - + Options: %1 - 選項:%1 + 可用選項: %1 - + Security/Privacy Enhanced & App Boxes (SBox): %1 - 隱私/安全增強& 應用沙盒(SBox): %1 + 隱私/安全性增強 & 應用程式沙箱 (SBox): %1 - - - - + + + + Enabled 啟用 - - - - + + + + Disabled 啟用 - + Encrypted Sandboxes (EBox): %1 - 加密沙盒 (EBox): %1 + 加密沙箱 (EBox): %1 - + Network Interception (NetI): %1 - 網絡監聽(NetI): %1 + 網路監聽 (NetI): %1 - + Sandboxie Desktop (Desk): %1 - 沙盤桌面(Desk): %1 + Sandboxie 桌面 (Desk): %1 - + This does not look like a Sandboxie-Plus Serial Number.<br />If you have attempted to enter the UpdateKey or the Signature from a certificate, that is not correct, please enter the entire certificate into the text area above instead. - 這看起來不像 Sandboxie-Plus 序號。<br />如果您嘗試的是輸入憑證的更新金鑰或簽章,這不是正確的操作,請在上方文字區域中輸入完整憑證。 + 這看起來不像是一個 Sandboxie-Plus 序號。<br />如果您嘗試的是輸入憑證的更新金鑰或簽章,這不是正確的操作,請在上方文字區域中輸入完整憑證。 - + You are attempting to use a feature Upgrade-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one.<br />If you want to use the advanced features, you need to obtain both a standard certificate and the feature upgrade key to unlock advanced functionality. You are attempting to use a feature Upgrade-Key without having entered a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting valid supporter certificate, it is useless without one.<br />If you want to use the advanced features you need to obtain booth a standard certificate and the feature upgrade key to unlock advanced functionality. 您正嘗試在未輸入作為前置條件的贊助者憑證的情況下使用功能升級金鑰。請注意,這種類型的金鑰 (<b>正如網站上以粗體明確說明的那樣</b>) 要求您預先擁有一個有效的贊助者憑證;<br />如果您想使用進階功能,您需要同時取得標準憑證和功能升級金鑰來解鎖進階功能。 - + You are attempting to use a Renew-Key without having entered a pre-existing supporter certificate. Please note that this type of key (<b>as it is clearly stated in bold on the website</b) requires you to have a pre-existing valid supporter certificate; it is useless without one. You are attempting to use a Renew-Key without having a preexisting supporter certificate. Please note that these type of key (<b>as it is clearly stated in bold on the website</b>) require you to have a preexisting supporter certificate, it is useless without one. 您正嘗試在未輸入作為前置條件的贊助者憑證的情況下使用續期金鑰。請注意,這種類型的金鑰 (<b>正如網站上以粗體明確說明的那樣</b>) 要求您預先擁有一個有效的贊助者憑證;沒有前者的情況下此金鑰完全無效。 - + <br /><br /><u>If you have not read the product description and obtained this key by mistake, please contact us via email (provided on our website) to resolve this issue.</u> <br /><br /><u>If you have not read the product description and got this key by mistake, please contact us by email (provided on our website) to resolve this issue.</u> <br /><br /><u>如果您沒有閱讀產品說明並錯誤地取得了此金鑰,請透過電子郵件 (在我們的網站上提供) 聯絡我們以解決此問題。</u> - - + + Retrieving certificate... 取得憑證中... - + Sandboxie-Plus - Get EVALUATION Certificate - Sandboxie-Plus - 申請試用證書 + Sandboxie-Plus - 取得評估憑證 - + Please enter your email address to receive a free %1-day evaluation certificate, which will be issued to %2 and locked to the current hardware. You can request up to %3 evaluation certificates for each unique hardware ID. - 請輸入您的電子郵件地址以接收免費的%1天試用證書,該證書將頒發給%2並鎖定到當前硬件。 -您最多可以為每個唯一的硬件ID請求%3個試用證書。 + 請輸入您的電郵地址以接收免費的%1天評估憑證,此憑證將頒發給 %2 並鎖定至目前硬體。 +您最多可以為每個唯一硬體ID請求%3個評估憑證。 - + Error retrieving certificate: %1 Error retriving certificate: %1 取得憑證錯誤: %1 - + Unknown Error (probably a network issue) 未知錯誤 (可能是網際網路問題) - + The evaluation certificate has been successfully applied. Enjoy your free trial! - 試用證書已成功申請。 請開始免費試用! + 評估憑證套用成功。 請享受你的免費試用! Retreiving certificate... 取得憑證中... - + Contributor 貢獻者 - + Eternal 永久 - + Business 商業 - + Personal 個人 - + Great Patreon 大型 Patreon - + Patreon Patreon - + Family 家庭 - + Home 家用 - + Evaluation - 試用 + 評估 - + Type %1 類型 %1 - + Advanced 進階 - + Advanced (L) - 高級 (L) + 進階 (L) - + Max Level 最高等級 - + Level %1 等級 %1 - + Supporter certificate required for access 需要贊助者憑證以存取 - + Supporter certificate required for automation 需要贊助者憑證以自動作業 - + This certificate is unfortunately not valid for the current build, you need to get a new certificate or downgrade to an earlier build. - 不幸的是,此憑證對於目前版本無效,您需要取得新憑證或降級到早期版本。 + 不幸的是,此憑證對於目前版本無效,您需要取得新憑證或降級至早期版本。 - + Although this certificate has expired, for the currently installed version plus features remain enabled. However, you will no longer have access to Sandboxie-Live services, including compatibility updates and the online troubleshooting database. 儘管此憑證已逾期,但對於目前安裝的版本 Plus 功能仍保持啟用狀態。但是,您將無法再存取 Sandboxie-Live 服務,包括相容性更新和線上疑難排解資料庫。 - + This certificate has unfortunately expired, you need to get a new certificate. - 不幸的是,該憑證已逾期,您需要取得新憑證。 + 不幸的是,此憑證已逾期,您需要取得新憑證。 - + Sandboxed Web Browser 沙箱化網頁瀏覽器 - - + + Notify 通知 - - + + Download & Notify 下載並通知 - - + + Download & Install 下載並安裝 - + Browse for Program 瀏覽程式 - + Add %1 Template 加入 %1 範本 - + Select font 選取字型 - + Reset font 重設字型 - + %0, %1 pt %0, %1 pt - + Please enter message 請輸入訊息 - + Select Program 選擇程式 - + Executables (*.exe *.cmd) 可執行檔案 (*.exe *.cmd) - - + + Please enter a menu title 請輸入一個選單標題 - + Please enter a command 請輸入一則命令 @@ -6074,18 +6145,18 @@ You can request up to %3 evaluation certificates for each unique hardware ID.此贊助者憑證已逾期,請<a href="sbie://update/cert">取得新憑證</a>。 - + <br /><font color='red'>Plus features will be disabled in %1 days.</font> - <br /><font color='red'>Plus 附加的進階功能將在 %1 天後被停用。</font> + <br /><font color='red'>Plus 功能將在 %1 天後被停用。</font> <br /><font color='red'>For this build Plus features remain enabled.</font> <br /><font color='red'>在此版本中,Plus 附加的進階功能仍是可用的。</font> - + <br />Plus features are no longer enabled. - <br />Plus 附加的進階功能已不再可用。 + <br />Plus 功能已不再啟用。 This supporter certificate will <font color='red'>expire in %1 days</font>, please <a href="sbie://update/cert">get an updated certificate</a>. @@ -6097,22 +6168,22 @@ You can request up to %3 evaluation certificates for each unique hardware ID.需要贊助者憑證 - + Run &Un-Sandboxed 在沙箱外執行(&U) - + Set Force in Sandbox - 設置強製在沙盒中運行 + 設定強制沙箱化 - + Set Open Path in Sandbox - 在沙盤中打開目錄 + 設定在沙箱中開啟路徑 - + This does not look like a certificate. Please enter the entire certificate, not just a portion of it. 這看起來不像是一份憑證。請輸入完整的憑證,而不僅僅是其中的一部分。 @@ -6125,7 +6196,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID.很不幸此憑證已廢止。 - + Thank you for supporting the development of Sandboxie-Plus. 感謝您對 Sandboxie-Plus 開發工作的支持。 @@ -6134,88 +6205,88 @@ You can request up to %3 evaluation certificates for each unique hardware ID.此贊助者憑證無效。 - + Update Available 更新可用 - + Installed 已安裝 - + by %1 by %1 - + (info website) (資訊網站) - + This Add-on is mandatory and can not be removed. 此附加元件具有強制性且不可被移除。 - - + + Select Directory 選擇目錄 - + <a href="check">Check Now</a> <a href="check">立即檢查</a> - + Please enter the new configuration password. 請輸入新組態密碼。 - + Please re-enter the new configuration password. 請再次輸入新組態密碼。 - + Passwords did not match, please retry. 密碼不匹配,請重新輸入。 - + Process 處理程序 - + Folder 資料夾 - + Please enter a program file name 請輸入一個程式檔案名稱 - + Please enter the template identifier 請輸入範本識別碼 - + Error: %1 錯誤: %1 - + Do you really want to delete the selected local template(s)? 要刪除所選取的本機範本嗎? - + %1 (Current) %1 (目前) @@ -6268,18 +6339,18 @@ You can request up to %3 evaluation certificates for each unique hardware ID. Add 'Run Sandboxed' to the explorer context menu - 在檔案總管右鍵新增「在沙箱中執行」 + 在檔案總管上下文選單新增「在沙箱中執行」 Add desktop shortcut for starting Web browser under Sandboxie - 加入在 Sandboxie 中開啟網頁瀏覽器的捷徑到桌面 + 加入在 Sandboxie 中開啟網頁瀏覽器的桌面捷徑 Only applications with admin rights can change configuration Only applications with administrator token can change ini setting. - 僅帶有管理員令牌的程序可以修改ini設置 + 僅有管理員權限的應用程式能夠變更組態設定 @@ -6289,7 +6360,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID. Enabling this option prevents changes to the Sandboxie.ini configuration from the user interface without admin rights. Be careful, as using Sandboxie Manager with normal user rights may result in a lockout. To make changes to the configuration, you must restart Sandboxie Manager as an admin by clicking 'Restart as Admin' in the 'Sandbox' menu in the main window. - 啟用這個選項會阻止從無管理員權限的用戶界面對Sandboxie.ini的配置更改。小心點,因為使用帶有普通用戶權限的沙箱管理器將可能陷入鎖定。為了對配置進行修改,你必須通過點擊主窗口中 ' 沙箱 ' 菜單下的 ' 以管理員特權重啟 ' 菜單項來作為管理員重啟沙箱管理器。 + 啟用此選項會阻止從無管理員權限的使用者介面對 Sandboxie.ini 進行組態變更。請慎重,因為使用普通使用者權限的沙箱管理員將可能進入鎖定狀態。為變更組態,你必須透過點選主視窗中「沙箱」選單內的「以管理員權限重新啟動」,以作為系統管理員重新啟動沙箱管理員。 When this option is set, Sandbox Manager with normal user permissions will not be able to modify the configuration, which may result in a lock. You need to open the Sandbox Manager main window, click "Sandbox (s)" in the system menu, and then click "Restart as Admin" in the pop - up context menu to gain control of the configuration. @@ -6372,7 +6443,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID. Sandboxing compatibility is reliant on the configuration hence attaching the Sandboxie.ini file helps a lot with finding the issue. Sandboxing compatybility is relyent on the configuration hence attaching the sandboxie.ini helps a lot with finding the issue. - 沙箱相容性依賴於組態,因此附加 sandboxie.ini 將非常有助於找出問題。 + 沙箱相容性依賴於組態,因此附加 Sandboxie.ini 將非常有助於找出問題。 @@ -6390,7 +6461,7 @@ You can request up to %3 evaluation certificates for each unique hardware ID. Select partially checked state to sends only message log but no trace log. Before sending you can review the logs in the main window. - 以部分核取狀態選中以僅發送訊息日誌,而無追蹤日誌。 + 以部分選中狀態核取以僅發送訊息日誌,而無追蹤日誌。 在發送前您可以在主視窗中檢查日誌。 @@ -6427,7 +6498,7 @@ Before sending you can review the logs in the main window. Regrettably, there is no automated troubleshooting procedure available for the specific issue you have described. - 非常抱歉,您描述的特定問題目前沒有自動化疑難排解流程可用。 + 非常抱歉,您描述的特定問題目前沒有自動化疑難排解流程可用。 @@ -6466,83 +6537,83 @@ Try submitting without the log attached. CSummaryPage - + Create the new Sandbox 建立新沙箱 - + Almost complete, click Finish to create a new sandbox and conclude the wizard. 即將就緒,按下「完成」按鈕以建立新沙箱並結束精靈。 - + Save options as new defaults 儲存選項為新的預設設定 - + Skip this summary page when advanced options are not set Don't show the summary page in future (unless advanced options were set) 以後不再顯示總結頁面 (除非啟用進階選項) - + This Sandbox will be saved to: %1 該沙箱將儲存至: %1 - + This box's content will be DISCARDED when it's closed, and the box will be removed. This box's content will be DISCARDED when its closed, and the box will be removed. -該沙箱中的內容將在所有程式結束後被刪除,同時沙箱本身將被移除。 +該沙箱中的內容將在其關閉後被廢棄,同時沙箱本身將被移除。 - + This box will DISCARD its content when its closed, its suitable only for temporary data. -該沙箱中的內容將在所有程式結束後被刪除,僅適合暫存的臨時資料。 +該沙箱中的內容將在其關閉後被廢棄,僅適合暫存的臨時資料。 - + Processes in this box will not be able to access the internet or the local network, this ensures all accessed data to stay confidential. 該沙箱中所有處理程序無法存取網際網路和區域網路,以確保所有可存取的資料不被洩露。 - + This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatibility but reduces the security isolation. This box will run the MSIServer (*.msi installer service) with a system token, this improves the compatybility but reduces the security isolation. -該沙箱允許 MSIServer (*.msi 安裝程式服務) 在沙箱內使用系統權杖執行,這將改善相容性但會影響安全性隔離效果。 +此沙箱將使用系統權杖執行 MSIServer (*.msi 安裝程式服務),這將改善相容性但會降低安全性隔離效果。 - + Processes in this box will think they are run with administrative privileges, without actually having them, hence installers can be used even in a security hardened box. 該沙箱中所有處理程序將認為它們執行在系統管理員模式下,即使實際上並沒有該權限,這有助於在安全性防護加固型沙箱中執行安裝程式。 - + Processes in this box will be running with a custom process token indicating the sandbox they belong to. Processes in this box will be running with a custom process token indicating the sandbox thay belong to. -在此沙箱內的處理程序將以自訂處理程序權杖執行,以表明其沙箱歸屬。 +此沙箱內的處理程序將以自訂處理程序權杖執行,以表明其沙箱歸屬。 - + Failed to create new box: %1 無法建立新沙箱: %1 @@ -6589,7 +6660,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an The installed supporter certificate <b>has expired %1 days ago</b> and <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">must be renewed</a>.<br /><br /> The installed supporter certificate <b>has expired %1 days ago</b> and <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">must be renewed</a>.<br /><br /> - 安裝的贊助者憑證<b>已於 %1 天前過期</b>,並且<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">必須續期</a>。<br /><br /> + 安裝的贊助者憑證<b>已於 %1 天前逾期</b>,並且<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">必須續期</a>。<br /><br /> @@ -6772,7 +6843,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an Sandboxie-Plus - Test Proxy - Sandboxie-Plus - 測試代理 + Sandboxie-Plus - 測試 Proxy @@ -6788,22 +6859,22 @@ If you are a great patreaon supporter already, sandboxie can check online for an This test cannot be disabled. - 這個測試不能被禁用。 + 此測試不能被禁用。 [%1] Starting Test 1: Connection to the Proxy Server - [%1] 啟動測試 1: 連接到代理伺服器 + [%1] 啟動測試 1: 連線至 Proxy 伺服器 [%1] IP Address: %2 - [%1] IP位址: %2 + [%1] IP 位址: %2 [%1] Connection established. - [%1] 連接已建立。 + [%1] 連線已建立。 @@ -6814,7 +6885,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an [%1] Connection to proxy server failed: %2. - [%1] 連接到代理伺服器失敗: %2。 + [%1] 連線 Proxy 伺服器失敗: %2。 @@ -6827,7 +6898,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an [%1] Starting Test 2: Connection through the Proxy Server - [%1] 啟動測試2: 通過代理伺服器連接 + [%1] 啟動測試2: 透過 Proxy 伺服器連線 @@ -6837,12 +6908,12 @@ If you are a great patreaon supporter already, sandboxie can check online for an [%1] Connection to %2 established through the proxy server. - [%1] 通過代理伺服器連接到 %2 並已確立信道。 + [%1] 透過 Proxy 伺服器至 %2 的連線已建立。 [%1] Loading a web page to test the proxy server. - [%1] 載入一個網路頁面以測試代理伺服器。 + [%1] 載入網頁以測試 Proxy 伺服器。 @@ -6852,42 +6923,42 @@ If you are a great patreaon supporter already, sandboxie can check online for an [%1] Connection through proxy server failed: %2. - [%1] 通過代理伺服器連接失敗: %2 + [%1] 透過 Proxy 伺服器連線失敗: %2。 [%1] Web page loaded successfully. - [%1] 網路頁面載入成功。 + [%1] 網頁載入成功。 Timeout - 超時 + 逾時 [%1] Failed to load web page: %2. - [%1] 載入網路頁面失敗: %2。 + [%1] 載入網頁失敗: %2。 [%1] Starting Test 3: Proxy Server latency - [%1] 啟動測試 3: 代理伺服器延遲 + [%1] 啟動測試 3: Proxy 伺服器延遲 [%1] Latency through proxy server: %2ms. - [%1] 通過代理伺服器的延遲: %2毫秒。 + [%1] 透過 Proxy 伺服器的延遲: %2ms。 [%1] Failed to get proxy server latency: Request timeout. - [%1] 獲取代理伺服器延遲失敗: 請求超時。 + [%1] 取得 Proxy 伺服器延遲失敗: 請求逾時。 [%1] Failed to get proxy server latency. - [%1] 獲取代理伺服器延遲失敗。 + [%1] 取得 Proxy 伺服器延遲失敗。 @@ -6898,7 +6969,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an Stopped - 停止的 + 已停止 @@ -6913,9 +6984,9 @@ If you are a great patreaon supporter already, sandboxie can check online for an Protocol: %3 Authentication: %4%5 [%1] 測試開始... - 代理伺服器 - 地址: %2 - 協議: %3 + Proxy 伺服器 + 位址: %2 + 協定: %3 認證: %4%5 @@ -6936,12 +7007,12 @@ If you are a great patreaon supporter already, sandboxie can check online for an Invalid Timeout value. Please enter a value between 1 and 60. - 無效的超時等待值。請輸入一個1到60範圍內的數值。 + 無效的逾時值。請輸入一個 1 到 60 範圍內的值。 Invalid Port value. Please enter a value between 1 and 65535. - 無效的連接埠值。請輸入一個1到65535範圍內的數值。 + 無效的連接埠值。請輸入一個 1 到 65535 範圍內的值。 @@ -6951,7 +7022,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an Invalid Ping Count value. Please enter a value between 1 and 10. - 無效的Ping次數值。請輸入一個在1到10之間的數值。 + 無效的 Ping 計數值。請輸入一個在 1 到 10 之間的值。 @@ -7049,7 +7120,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an Closed - 已關閉 + 封閉 @@ -7059,7 +7130,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an Other - 其他 + 其它 @@ -7074,7 +7145,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an Save to file - 儲存到檔案 + 儲存至檔案 @@ -7094,12 +7165,12 @@ If you are a great patreaon supporter already, sandboxie can check online for an Save trace log to file - 儲存追蹤日誌到檔案 + 儲存追蹤日誌至檔案 Failed to open log file for writing - 無法開啟日誌檔案進行寫入 + 無法開啟日誌檔進行寫入 @@ -7206,34 +7277,74 @@ If you are a great patreaon supporter already, sandboxie can check online for an 壓縮檔案 - + Compression 壓縮 - + When selected you will be prompted for a password after clicking OK 選取此項後,按下「OK」時系統將提示您輸入密碼 - + Encrypt archive content 加密封存內容 - + Solid archiving improves compression ratios by treating multiple files as a single continuous data block. Ideal for a large number of small files, it makes the archive more compact but may increase the time required for extracting individual files. 固實封存透過將多個檔案視為單一連續資料區塊來提升壓縮率。它非常適合大量小檔案;這使封存更加緊湊,但可能會增加提取單個檔案所需的時間。 - + Create Solide Archive 建立固實封存檔 - - Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. - 將沙箱匯出至 7z 封存檔,選擇壓縮率並自訂其他壓縮設定。 + + Export Sandbox to an archive, choose your compression rate and customize additional compression settings. + Export Sandbox to a archive, Choose Your Compression Rate and Customize Additional Compression Settings. + 將沙箱匯出為封存檔,選擇壓縮率並自訂附加壓縮設定。 + + + Export Sandbox to a 7z or Zip archive, Choose Your Compression Rate and Customize Additional Compression Settings. + Export Sandbox to a 7z archive, Choose Your Compression Rate and Customize Additional Compression Settings. + 將沙箱匯出至 7z 封存檔,選擇壓縮率並自訂其它壓縮設定。 + + + + ExtractDialog + + + Extract Files + 提取檔案 + + + + Import Sandbox from an archive + Export Sandbox from an archive + 從封存檔匯入沙箱 + + + + Import Sandbox Name + 匯入沙箱名稱 + + + + Box Root Folder + 沙箱根資料夾 + + + + ... + ... + + + + Import without encryption + 匯入但不加密 @@ -7248,7 +7359,7 @@ If you are a great patreaon supporter already, sandboxie can check online for an A sandbox isolates your host system from processes running within the box, it prevents them from making permanent changes to other programs and data in your computer. The level of isolation impacts your security as well as the compatibility with applications, hence there will be a different level of isolation depending on the selected Box Type. Sandboxie can also protect your personal data from being accessed by processes running under its supervision. - 沙箱會將您的主機系統與沙箱內執行的處理程序隔離開來,防止它們對電腦中的其他程式和資料進行永久變更。隔離的級別會影響您的安全性以及與應用程式的相容性,因此根據所選的沙箱類型,將有不同的隔離級別。Sandboxie 還可以保護您的個人資料,在其監督下不會被執行的處理程序所存取。 + 沙箱會將您的主機系統與沙箱內執行的處理程序隔離開來,防止它們對電腦中的其它程式和資料進行永久變更。隔離的級別會影響您的安全性以及與應用程式的相容性,因此根據所選的沙箱類型,將有不同的隔離級別。Sandboxie 還可以保護您的個人資料,在其監督下不會被執行的處理程序所存取。 Box info @@ -7282,698 +7393,701 @@ If you are a great patreaon supporter already, sandboxie can check online for an 在標題顯示沙箱標記: - + Sandboxed window border: 沙箱化視窗邊框: - + Double click action: 按兩下動作: - + Separate user folders 分離使用者資料夾 - + Box Structure 沙箱結構 - + Security Options 安全性選項 - + Security Hardening 安全性強化 - - - - - - + + + + + + + Protect the system from sandboxed processes 保護系統免受來自沙箱化處理程序的存取 - + Elevation restrictions 權限提升限制 - + Drop rights from Administrators and Power Users groups 廢棄來自管理員和 Power Users 使用者組的許可 - + px Width - 寬度像素 + 像素寬度 - + Make applications think they are running elevated (allows to run installers safely) 使應用程式認為其已在權限提升狀態下執行 (允許安全地執行安裝程式) - + CAUTION: When running under the built in administrator, processes can not drop administrative privileges. 警告: 在內建的管理員帳戶下執行時,無法解除處理程序的管理員權限。 - + Appearance 外觀 - + (Recommended) (推薦) - + Show this box in the 'run in box' selection prompt - 在右鍵選單選擇「在沙箱中執行」後顯示此對話方塊 + 於「在沙箱中執行」選項中顯示此沙箱 - + File Options 檔案選項 - + Auto delete content changes when last sandboxed process terminates Auto delete content when last sandboxed process terminates 當最後的沙箱化處理程序終止後自動刪除內容變更 - + Copy file size limit: 複製檔案大小限制: - + Box Delete options 沙箱刪除選項 - + Protect this sandbox from deletion or emptying 保護此沙箱以防止被刪除或清空 - - + + File Migration 檔案遷移 - + Allow elevated sandboxed applications to read the harddrive - 允許權限提升的沙箱化應用程式存取磁碟 + 允許權限提升的沙箱化應用程式存取硬碟 - + Warn when an application opens a harddrive handle 當應用程式開啟磁碟機控制代碼時發出警告 - + kilobytes KB - + Issue message 2102 when a file is too large 當檔案過大時提示錯誤代碼 2102 - + Prompt user for large file migration 詢問使用者是否遷移大型檔案 - + Allow the print spooler to print to files outside the sandbox 允許列印服務在沙箱外列印檔案 - + Remove spooler restriction, printers can be installed outside the sandbox 移除列印限制,印表機可安裝至沙箱外 - + Block read access to the clipboard 阻止存取剪貼簿 - + Open System Protected Storage 開放系統防護儲存空間 - + Block access to the printer spooler 阻止存取列印假離線序列 - + Other restrictions 其它限制 - + Printing restrictions 列印限制 - + Network restrictions 區域網路限制 - + Block network files and folders, unless specifically opened. 阻止區域網路檔案和資料夾的存取,除非額外開啟。 - + Run Menu 執行選單 - + You can configure custom entries for the sandbox run menu. 您可為「在沙箱中執行」選單設定自訂條目組態。 - - - - - - - - - - - - - + + + + + + + + + + + + + Name 名稱 - + Command Line 命令列 - + Add program 加入程式 - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + Remove 移除 - - - - - - - + + + + + + + Type 類型 - + Program Groups 程式群組 - + Add Group 加入群組 - - - - - + + + + + Add Program 加入程式 - + Force Folder 強制執行資料夾 - - - + + + Path 路徑 - + Force Program 強制執行程式 - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + Show Templates 顯示範本 - + Security note: Elevated applications running under the supervision of Sandboxie, with an admin or system token, have more opportunities to bypass isolation and modify the system outside the sandbox. 安全性提示: 在 Sandboxie 監管下執行的程式,若具有提升的管理員或系統權限權杖,將有更多機會繞過隔離,並修改沙箱外部的系統。 - + Allow MSIServer to run with a sandboxed system token and apply other exceptions if required - 允許 MSIServer 在沙箱內使用系統權杖執行,並在必要時給予其他限制方面的豁免 + 允許 MSIServer 使用沙箱化的系統權杖執行,並在必要時給予其它限制方面的豁免 - + Note: Msi Installer Exemptions should not be required, but if you encounter issues installing a msi package which you trust, this option may help the installation complete successfully. You can also try disabling drop admin rights. 注意: MSI 安裝程式豁免不是必須的。但是如果您在安裝您信任的 MSI 安裝檔時出現了問題,此選項可能會有助於成功完成安裝。您也可以嘗試關閉「廢棄管理員許可」選項。 - + General Configuration 一般組態 - + Box Type Preset: 沙箱類型預設設定: - + Box info 沙箱資訊 - + <b>More Box Types</b> are exclusively available to <u>project supporters</u>, the Privacy Enhanced boxes <b><font color='red'>protect user data from illicit access</font></b> by the sandboxed programs.<br />If you are not yet a supporter, then please consider <a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">supporting the project</a>, to receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>.<br />You can test the other box types by creating new sandboxes of those types, however processes in these will be auto terminated after 5 minutes. <b>更多沙箱類型</b>僅<u>專案贊助者</u>可用,隱私增強型沙箱<b><font color='red'>保護使用者資料免受沙箱化的程式非法存取</font></b>。<br />如果您還不是贊助者,請考慮<a href="https://sandboxie-plus.com/go.php?to=sbie-get-cert">贊助此專案</a>,來取得<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">贊助者憑證</a>。<br />當然您也可以新增一個這些類型的沙箱進行測試,不過沙箱中執行的程式將在 5 分鐘之後自動終止。 Always show this sandbox in the systray list (Pinned) - 固定此沙箱,以便總是在系統匣清單中顯示 + 釘選此沙箱,以便總是在系統匣清單中顯示 - + Encrypt sandbox content 加密沙箱內容 - + When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box's root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. When <a href="sbie://docs/boxencryption">Box Encryption</a> is enabled the box’s root folder, including its registry hive, is stored in an encrypted disk image, using <a href="https://diskcryptor.org">Disk Cryptor's</a> AES-XTS implementation. - 啟用 <a href="sbie://docs/boxencryption">沙箱加密</a> 後,沙箱的根目錄 (包括其登錄組態) 將使用 <a href="https://diskcryptor.org">Disk Cryptor 的</a> AES-XTS 實作方案。 + 啟用 <a href="sbie://docs/boxencryption">沙箱加密</a> 後,沙箱的根資料夾 (包括其登錄檔) 將儲存在一個加密磁碟映像中,使用 <a href="https://diskcryptor.org">Disk Cryptor 的</a> AES-XTS 實作方案。 - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. <a href="addon://ImDisk">安裝 ImDisk</a> 驅動程式以啟用 Ram 磁碟和磁碟映像支援。 - + Store the sandbox content in a Ram Disk - 將沙箱內容儲存在 Ram 磁碟中 + 將沙箱內容儲存在 RAM 磁碟中 - + Set Password 設定密碼 - + Open Windows Credentials Store (user mode) 開放 Windows 憑證儲存存取權限 (使用者模式) - + Prevent change to network and firewall parameters (user mode) 防止對區域網路及防火牆參數的變更 (使用者模式) - + Disable Security Isolation 停用安全性隔離 - - + + Box Protection 沙箱防護 - + Protect processes within this box from host processes 保護沙箱中處理程序不被主機處理程序存取 - + Allow Process 允許處理程序 - + Issue message 1318/1317 when a host process tries to access a sandboxed process/the box root - 當主機處理程序嘗試存取沙箱處理程序/沙箱根目錄時提示訊息 1318/1317 + 當主機處理程序嘗試存取沙箱化處理程序/沙箱根目錄時提示訊息 1318/1317 - + Sandboxie-Plus is able to create confidential sandboxes that provide robust protection against unauthorized surveillance or tampering by host processes. By utilizing an encrypted sandbox image, this feature delivers the highest level of operational confidentiality, ensuring the safety and integrity of sandboxed processes. - Sandboxie-Plus 能夠建立機密型沙箱,提供強大的保護,防止未經授權的監視或主機處理程序的篡改。透過利用加密沙箱映像,此功能可提供最高等級的作業機密性,確保沙箱處理程序的安全性和完整性。 + Sandboxie-Plus 能夠建立機密型沙箱,提供強大的保護,防止未經授權的監視或主機處理程序的篡改。透過利用加密沙箱映像,此功能可提供最高等級的作業機密性,確保沙箱化處理程序的安全性和完整性。 - + Deny Process 拒絕處理程序 - + Force protection on mount 在裝載時執行強制保護 Prevent sandboxed processes from interfering with power operations Prevents processes in the sandbox from interfering with power operation - 防止沙箱中的處理程序幹擾電源作業 + 防止沙箱化處理程序幹擾電源作業 - + Prevent processes from capturing window images from sandboxed windows Prevents getting an image of the window in the sandbox. 防止處理程序從沙箱化視窗擷取視窗之影像 - + Allow useful Windows processes access to protected processes 允許實用 Windows 處理程序存取受保護的處理程序 - + Use a Sandboxie login instead of an anonymous token 使用 Sandboxie 登入程序替代匿名權杖 - + You can group programs together and give them a group name. Program groups can be used with some of the settings instead of program names. Groups defined for the box overwrite groups defined in templates. 您可將程式分組並且給它們一個群組名稱。程式群組可以代替程式名稱被用於某些設定。在沙箱中定義的程式群組將覆蓋範本中定義的程式群組。 - + Programs entered here, or programs started from entered locations, will be put in this sandbox automatically, unless they are explicitly started in another sandbox. - 此處輸入的程式,或指定位置啟動的程式,將自動加入此沙箱,除非它們被確定已在其他沙箱啟動。 + 此處輸入的程式,或指定位置啟動的程式,將自動加入此沙箱,除非它們被確定已在其它沙箱啟動。 - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. - <b><font color='red'>安全性建議</font>: </b>使用 <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 和/或 <a href=" sbie://docs/breakoutprocess">BreakoutProcess</a> 與 Open[File/Pipe]Path 指令結合使用可能會損害安全性,使用 <a href="sbie://docs/breakoutdocument">BreakoutDocument< /a > 將允許任何 * 或不安全的 (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) 副檔名。使用前請查看文件中每個選項的 安全性 部分。 + + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc...) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security, as can the use of <a href="sbie://docs/breakoutdocument">BreakoutDocument</a> allowing any * or insecure (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) extensions. Please review the security section for each option in the documentation before use. + <b><font color='red'>安全性建議</font>: </b>使用 <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 和/或 <a href=" sbie://docs/breakoutprocess">BreakoutProcess</a> 與 Open[File/Pipe]Path 指令結合使用可能會損害安全性,使用 <a href="sbie://docs/breakoutdocument">BreakoutDocument< /a > 將允許任何 * 或不安全的 (*.exe;*.dll;*.ocx;*.cmd;*.bat;*.lnk;*.pif;*.url;*.ps1;etc…) 副檔名。使用前請查看文件中每個選項的「安全性」區段。 - - + + Stop Behaviour 停止行為 - + Stop Options 停止選項 - + Use Linger Leniency 使用延遲寬容性 - + Don't stop lingering processes with windows 不停止 Windows 的延遲處理程序 - + Start Restrictions 啟動限制 - + Issue message 1308 when a program fails to start 當程式啟動失敗時提示錯誤代碼 1308 - + Allow only selected programs to start in this sandbox. * 僅允許被選取的程式在此沙箱中啟動。 * - + Prevent selected programs from starting in this sandbox. 防止所選程式在此沙箱中啟動。 - + Allow all programs to start in this sandbox. 允許所有程式在此沙箱中啟動。 - + * Note: Programs installed to this sandbox won't be able to start at all. * 注意: 安裝至此沙箱內的程式將完全無法啟動。 - + Configure which processes can access Desktop objects like Windows and alike. 設定哪些處理程序可以存取 Windows 等桌面物件。 - + Process Restrictions 處理程序限制 - + Issue message 1307 when a program is denied internet access 當程式被拒絕存取網路時提示錯誤代碼 1307 - + Prompt user whether to allow an exemption from the blockade. 詢問使用者是否允許封鎖豁免。 - + Note: Programs installed to this sandbox won't be able to access the internet at all. 注意: 安裝在此沙箱中的程式將完全無法存取網路。 - - - - - - + + + + + + Access 存取 - + Use volume serial numbers for drives, like: \drive\C~1234-ABCD 使用磁碟的磁碟區序號,例如:\drive\C~1234-ABCD - + The box structure can only be changed when the sandbox is empty 只有在沙箱為空時,才能變更沙箱結構 - + Disk/File access 「磁碟/檔案」存取權限 - + Virtualization scheme 虛擬化方案 - + 2113: Content of migrated file was discarded 2114: File was not migrated, write access to file was denied 2115: File was not migrated, file will be opened read only - 2113:待遷移檔案的內容被遺棄了 -2114:檔案沒有被遷移,檔案的寫入存取被拒絕 -2115:檔案沒有被遷移,檔案將以唯讀方式開啟 + 2113: 待遷移檔案的內容被廢棄了 +2114: 檔案沒有被遷移,檔案的寫入存取被拒絕 +2115: 檔案沒有被遷移,檔案將以唯讀方式開啟 - + Issue message 2113/2114/2115 when a file is not fully migrated 當一個檔案沒有被完全遷移時,提示錯誤代碼 2113/2114/2115 - + Add Pattern 加入范式 - + Remove Pattern 移除范式 - + Pattern 范式 - + Sandboxie does not allow writing to host files, unless permitted by the user. When a sandboxed application attempts to modify a file, the entire file must be copied into the sandbox, for large files this can take a significate amount of time. Sandboxie offers options for handling these cases, which can be configured on this page. - Sandboxie 不被允許對主機檔案進行寫入,除非得到使用者的允許。當沙箱化的應用程式試圖修改一個檔案時,整個檔案必須被複製到沙箱中。對於大型檔案來說,這可能需要相當長的時間。Sandboxie 提供了針對這些情況的處理選項,可以在此頁面進行設定。 + Sandboxie 不被允許對主機檔案進行寫入,除非得到使用者的允許。當沙箱化應用程式試圖修改一個檔案時,整個檔案必須被複製到沙箱中。對於大型檔案來說,這可能需要相當長的時間。Sandboxie 提供了針對這些情況的處理選項,可以在此頁面進行設定。 - + Using wildcard patterns file specific behavior can be configured in the list below: 使用萬用字元范式,具體的檔案行為可以在下面的清單中進行設定: - + When a file cannot be migrated, open it in read-only mode instead - 當一個檔案不能被遷移時,嘗試以唯讀模式開啟它 + 當一個檔案不能被遷移時,嘗試以唯讀模式將其開啟 Icon 圖示 - - + + Move Up 向上移 - - + + Move Down 向下移 - + Security Isolation 安全性隔離 - + Various isolation features can break compatibility with some applications. If you are using this sandbox <b>NOT for Security</b> but for application portability, by changing these options you can restore compatibility by sacrificing some security. 注意: 各種隔離功能會破壞與某些應用程式的相容性<br />如果使用此沙箱<b>不是為了安全性</b>,而是為了應用程式的可移植性,可以透過變更這些選項,犧牲部分安全性來復原相容性。 - + Access Isolation 存取隔離 - + Image Protection 映像保護 - + Issue message 1305 when a program tries to load a sandboxed dll - 當一個程式試圖載入一個沙箱內部的應用程式擴充 (DLL) 檔案時,提示錯誤代碼 1305 + 當一個程式試圖載入一個沙箱化動態連結程式庫 (DLL) 檔案時,提示錯誤代碼 1305 - + Prevent sandboxed programs installed on the host from loading DLLs from the sandbox Prevent sandboxes programs installed on host from loading dll's from the sandbox 防止主機上安裝的沙箱化程式從沙箱載入應用程式擴充 (DLL) 檔案 - + Dlls && Extensions Dll && 擴充功能 - + Description 說明 - + Sandboxie's resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. 'ClosedFilePath=!iexplore.exe,C:Users*' will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the "Access policies" page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. Sandboxie’s resource access rules often discriminate against program binaries located inside the sandbox. OpenFilePath and OpenKeyPath work only for application binaries located on the host natively. In order to define a rule without this restriction, OpenPipePath or OpenConfPath must be used. Likewise, all Closed(File|Key|Ipc)Path directives which are defined by negation e.g. ‘ClosedFilePath=! iexplore.exe,C:Users*’ will be always closed for binaries located inside a sandbox. Both restriction policies can be disabled on the “Access policies” page. This is done to prevent rogue processes inside the sandbox from creating a renamed copy of themselves and accessing protected resources. Another exploit vector is the injection of a library into an authorized process to get access to everything it is allowed to access. Using Host Image Protection, this can be prevented by blocking applications (installed on the host) running inside a sandbox from loading libraries from the sandbox itself. - Sandboxie 的資源存取規則通常對位於沙箱內的二進位程式具有歧視性。OpenFilePath 和 OpenKeyPath 只對主機上的原生程式 (安裝在主機上的) 有效。為了定義沒有此類限制的規則,則必須使用 OpenPipePath 和 OpenConfPath。同樣的,透過否定來定義所有的 Closed(File|Key|Ipc)Path 指令例如:'ClosedFilePath=! iexplore.exe,C:Users*' 將限制沙箱內的程式存取相應資源。這兩種限制原則都可以透過「存取原則」頁面來停用。 + Sandboxie 的資源存取規則通常對位於沙箱內的二進位程式具有歧視性。「開啟檔案路徑」和「開啟機碼路徑」只對主機上的原生程式 (安裝在主機上的) 有效。為了定義沒有此類限制的規則,則必須使用「開啟管道路徑」和「開啟組態路徑」。同樣的,透過否定來定義所有的「封閉(檔案|機碼|IPC)路徑」指令例如:'ClosedFilePath=! iexplore.exe,C:Users*' 將限制沙箱內的程式存取相應資源。這兩種限制原則都可以透過「存取原則」頁面來停用。 這樣做是為了防止沙箱內的流氓處理程序建立自己的重新命名複本並存取受保護的資源。另一個漏洞載體是將一個動態連結程式庫注入到一個被授權處理程序中,以取得對被授權處理程序所允許存取的一切資源的存取權。使用主機映像保護,可以透過阻止在沙箱內執行的應用程式 (安裝在主機上的) 載入來自沙箱的動態連結程式庫來防止此類現象。 - + Sandboxie's functionality can be enhanced by using optional DLLs which can be loaded into each sandboxed process on start by the SbieDll.dll file, the add-on manager in the global settings offers a couple of useful extensions, once installed they can be enabled here for the current box. Sandboxies functionality can be enhanced using optional dll’s which can be loaded into each sandboxed process on start by the SbieDll.dll, the add-on manager in the global settings offers a couple useful extensions, once installed they can be enabled here for the current box. - Sandboxie 的功能可以透過使用可選 DLL 加以增強,這些 DLL 可在啟動時透過 SbieDll.dll 檔案載入到每個沙箱處理程序中,全域設定中的附加元件管理員提供了一些實用擴充套件,安裝後可以在此處對目前沙箱啟用。 + Sandboxie 的功能可以透過使用可選 DLL 加以增強,這些 DLL 可在啟動時透過 SbieDll.dll 檔案載入到每個沙箱化處理程序中,全域設定中的附加元件管理員提供了一些實用擴充套件,安裝後可以在此處對目前沙箱啟用。 - + Advanced Security Adcanced Security 進階安全性 @@ -7983,752 +8097,777 @@ This is done to prevent rogue processes inside the sandbox from creating a renam 使用 Sandboxie 限權使用者,而不是匿名權杖 (實驗性) - + Other isolation - 其他隔離 + 其它隔離 - + Privilege isolation 權限隔離 - + Using a custom Sandboxie Token allows to isolate individual sandboxes from each other better, and it shows in the user column of task managers the name of the box a process belongs to. Some 3rd party security solutions may however have problems with custom tokens. 使用自訂 Sandboxie 權杖可以更好地將各個沙箱相互隔離,同時可以實現在工作管理員的使用者欄位中顯示處理程序所屬的沙箱。但是,某些第三方安全性解決方案可能會與自訂權杖產生相容性問題。 - + Program Control - 應用程式控制 + 程式控制 - + Force Programs 強制沙箱程式 - + Disable forced Process and Folder for this sandbox 停用此沙箱的「強制處理程序/資料夾」規則 - + Breakout Programs 分離程式 - + Breakout Program 分離程式 - + Breakout Folder 分離資料夾 - + Programs entered here will be allowed to break out of this sandbox when they start. It is also possible to capture them into another sandbox, for example to have your web browser always open in a dedicated box. Programs entered here will be allowed to break out of this box when thay start, you can capture them into an other box. For example to have your web browser always open in a dedicated box. This feature requires a valid supporter certificate to be installed. - 在此處設定的程式,在啟動時將被允許脫離這個沙箱,您可以把它們擷取到另一個沙箱中。例如,讓網頁瀏覽器總是在一個專門的沙箱內開啟。 + 在此處設定的程式,在啟動時將被允許脫離這個沙箱,您可以把它們擷取到另一個沙箱中。例如,讓網頁瀏覽器總是在一個專用的沙箱內開啟。 - + This feature does not block all means of obtaining a screen capture, only some common ones. This feature does not block all means of optaining a screen capture only some common once. 此功能不會阻止所有能夠取得螢幕擷取內容的方法,僅阻止某些常見行為。 - + Prevent move mouse, bring in front, and similar operations, this is likely to cause issues with games. Prevent move mouse, bring in front, and simmilar operations, this is likely to cause issues with games. 防止移動滑鼠、移動視窗至前景、以及類似的作業,這可能對遊戲造成問題。 - + Allow sandboxed windows to cover the taskbar Allow sandboxed windows to cover taskbar 允許沙箱化視窗覆蓋工作列 - + Isolation 隔離 - + Only Administrator user accounts can make changes to this sandbox 僅管理員使用者帳戶可以對此沙箱進行變更 - + Job Object 工作物件 - - - + + + unlimited - 無限製 + 無限制 - - + + bytes - 字節 + 位元組 - + Checked: A local group will also be added to the newly created sandboxed token, which allows addressing all sandboxes at once. Would be useful for auditing policies. Partially checked: No groups will be added to the newly created sandboxed token. - 選中:一個本地組也將被添加到新創建的沙盒令牌中,這允許一次尋址所有沙盒。這將有助於審計政策。 -部分選中:不會將任何組添加到新創建的沙盒令牌中。 + 選中: 一個本地群組也將被新增至新建立的沙箱化權杖中,這允許一次性定位全部沙箱。這將有助於審計規則。 +部分選中: 不會將任何群組新增至新建立的沙箱化權杖中。 - + Drop ConHost.exe Process Integrity Level - + 廢棄 ConHost.exe 處理程序整合等級 - <b><font color='red'>SECURITY ADVISORY</font>:</b> Using <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> and/or <a href="sbie://docs/breakoutprocess">BreakoutProcess</a> in combination with Open[File/Pipe]Path directives can compromise security. Please review the security section for each option in the documentation before use. - <b><font color='red'>安全性建議</font>:</b> 使用 <a href="sbie://docs/breakoutfolder">BreakoutFolder</a> 和/或 <a href=" sbie://docs/breakoutprocess">BreakoutProcess</a> 與 Open[File/Pipe]Path 指令結合使用可能會損害安全性。使用前請檢查說明文件中每個選項的安全性章節。 + <b><font color='red'>安全性建議</font>:</b> 使用 <a href="sbie://docs/breakoutfolder">分離資料夾</a> 和/或 <a href=" sbie://docs/breakoutprocess">分離處理程序</a> 與「開啟[檔案/管道]路徑」指令結合使用可能會損害安全性。使用前請檢查說明文件中每個選項的「安全性」區段。 - + Lingering Programs 駐留程式 - + Lingering programs will be automatically terminated if they are still running after all other processes have been terminated. - 其他所有程式得到終止後,仍在執行的駐留程式將自動終止。 + 當其它所有程式終止後,仍在執行的駐留程式將自動被終止。 - + Leader Programs 引導程式 - + If leader processes are defined, all others are treated as lingering processes. - 如果定義了引導處理程序,其他處理程序將被視作駐留處理程序。 + 如果定義了引導處理程序,其它處理程序將被視作駐留處理程序。 - + This setting can be used to prevent programs from running in the sandbox without the user's knowledge or consent. This can be used to prevent a host malicious program from breaking through by launching a pre-designed malicious program into an unlocked encrypted sandbox. 此設定可用於防止程式在使用者不知情或未經使用者同意的情況下在沙箱中運作。 - + Display a pop-up warning before starting a process in the sandbox from an external source A pop-up warning before launching a process into the sandbox from an external source. 在從外部來源的沙箱中開始執行處理程序前,顯示一則跳出式警告 - + Files 檔案 - + Configure which processes can access Files, Folders and Pipes. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. 設定哪些處理程序可以存取檔案、資料夾和管道。 -「開放」存取權限只適用於原先已位於沙箱之外的程式二進位檔,您可以使用「完全開放」來對所有程式開放所有權限,或者在「原則」頁籤中改變這一行為。 +「開放」存取權限只適用於位於沙箱之外的程式二進位檔,您可以使用「完全開放」來對所有程式開放所有權限,或者在「原則」頁籤中改變這一行為。 - + Registry 登錄 - + Configure which processes can access the Registry. 'Open' access only applies to program binaries located outside the sandbox, you can use 'Open for All' instead to make it apply to all programs, or change this behavior in the Policies tab. 設定哪些處理程序可以存取檔案、資料夾和管道。 「開放」存取權限只適用於原先已位於沙箱之外的程式二進位檔,您可以使用「完全開放」來對所有程式開放所有權限,或者在「原則」頁籤中改變這一行為。 - + IPC - IPC + IPC 物件 - + Configure which processes can access NT IPC objects like ALPC ports and other processes memory and context. To specify a process use '$:program.exe' as path. - 設定哪些處理程序可以存取 NT IPC 物件,如 ALPC 連接埠及其他處理程序的記憶體和相關執行狀態環境。 -如需指定一個處理程序,使用「$:program.exe」作為路徑值。 + 設定哪些處理程序可以存取 NT IPC 物件,如 ALPC 連接埠及其它處理程序的記憶體和相關執行狀態環境。 +如需指定一個處理程序,使用「$:program.exe」作為路徑。 - + Wnd 視窗 - + Wnd Class - Wnd 元件 + 視窗 Class Configure which processes can access desktop objects like windows and alike. 設定哪些處理程序可以存取桌面物件,如 Windows 或其它類似物件。 - + COM - COM + COM 物件 - + Class Id - 類別識別碼 + Class ID - + Configure which processes can access COM objects. 設定哪些處理程序可以存取 COM 物件。 - + Don't use virtualized COM, Open access to hosts COM infrastructure (not recommended) 不使用虛擬化 COM,而是開放主機 COM 基礎結構的存取 (不推薦) - + Access Policies 存取原則 - + Network Options 區域網路選項 - + Set network/internet access for unlisted processes: 為未列出的處理程序設定區域網路/網際網路存取權限: - + Test Rules, Program: 測試規則、程式: - + Port: 連接埠: - + IP: IP: - + Protocol: 協定: - + X X - + Add Rule 加入規則 - - - - - - - - - - + + + + + + + + + + Program 程式 - - - - + + + + Action 動作 - - + + Port 連接埠 - - - + + + IP IP - + Protocol 協定 - + CAUTION: Windows Filtering Platform is not enabled with the driver, therefore these rules will be applied only in user mode and can not be enforced!!! This means that malicious applications may bypass them. - 警告: 未在驅動程式中啟動 Windows 篩選平台,因此以下規則只能在使用者模式下生效,無法被強制執行!!!惡意程式可能會繞過這些規則的限制。 + 警告: 未在驅動程式中啟動 Windows 篩選平台,因此以下規則只能在使用者模式下生效,無法被強制執行!!! 惡意程式可能會繞過這些規則的限制。 - + Resource Access 資源存取 - + Add File/Folder 加入檔案/資料夾 - + Add Wnd Class - 加入視窗類別 + 加入視窗 Class - + Add IPC Path 加入 IPC 路徑 - + Use the original token only for approved NT system calls 只在經過批准的 NT 系統呼叫中使用原始權杖 - + Enable all security enhancements (make security hardened box) - 啟用所有安全性強化 (安全性防護加固型沙箱選項) + 啟用所有安全性強化 (成為安全性防護加固型沙箱) - + Restrict driver/device access to only approved ones 將對「驅動程式/裝置」的存取限制到已批准條目 - + Security enhancements 安全性增強措施 - + Issue message 2111 when a process access is denied 處理程序被拒絕存取非沙箱處理程序記憶體時提示錯誤代碼 2111 - + + Allow sandboxed processes to open files protected by EFS + 允許沙箱化處理程序開啟被 EFS (加密檔案系統) 保護的檔案 + + + Prevent sandboxed processes from interfering with power operations (Experimental) 防止沙箱化處理程序干預電源作業 (實驗性) - + Prevent interference with the user interface (Experimental) 防止干預使用者介面 (實驗性) - + Prevent sandboxed processes from capturing window images (Experimental, may cause UI glitches) 防止沙箱化處理程序擷取視窗影像 (實驗性,可能造成 UI 故障) - + + Open access to Proxy Configurations + 開啟對 Proxy 組態設定的存取 + + + + File ACLs + 檔案存取管理清單 (ACL) + + + + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable exemptions) + Use original Access Control Entries for boxed Files and Folders (for MSIServer enable excemptions) + 對沙箱化檔案和資料夾使用原始存取管理條目 (Access Control Entries) (對 MSIServer 啟用豁免) + + + Sandboxie token Sandboxie 權杖 - + Create a new sandboxed token instead of stripping down the original token - 創建新的沙盒令牌,而不是剝離原始令牌 + 建立新的沙箱化權杖,而不是剝除原始權杖 - + Force Children 強制子處理程序 - + + Breakout Document + 分離文件 + + + Add Reg Key 加入登錄機碼 - + Add COM Object 加入 COM 物件 - + Apply Close...=!<program>,... rules also to all binaries located in the sandbox. - 將 Close...=!<program>,... 規則,套用到位於沙箱內的所有相關二進位檔。 + 將 Close...=!<program>,... 規則,套用至位於沙箱內的所有二進位檔。 - + DNS Filter DNS 過濾器 - + Add Filter 新增過濾器 - + With the DNS filter individual domains can be blocked, on a per process basis. Leave the IP column empty to block or enter an ip to redirect. 使用 DNS 過濾器,可以按處理程序阻止各個網域。將 IP 位址列留空以將其阻止,或輸入 IP 位址以進行重新導向。 - + Domain 域名 - + Internet Proxy 網際網路 Proxy - + Add Proxy 新增 Proxy - + Test Proxy 測試 Proxy - + Auth 憑據 - + Login 登入 - + Password 密碼 - + Sandboxed programs can be forced to use a preset SOCKS5 proxy. 可以強制沙箱化程式使用預定義的 SOCKS5 Proxy。 - + Resolve hostnames via proxy 透過 Proxy 解析主機名稱 - + Other Options - 其他選項 + 其它選項 - + Port Blocking 封鎖連接埠 - + Block common SAMBA ports 封鎖常見 SAMBA 連接埠 - + Bypass IPs 繞過IP - + Block DNS, UDP port 53 封鎖 DNS UDP 連接埠 53 - + File Recovery 檔案復原 - + Quick Recovery 快速復原 - + Add Folder 加入資料夾 - + Immediate Recovery 即時復原 - + Ignore Extension 忽略副檔名 - + Ignore Folder 忽略資料夾 - + Enable Immediate Recovery prompt to be able to recover files as soon as they are created. 啟用快速復原提示,以便快速復原建立的檔案。 - + You can exclude folders and file types (or file extensions) from Immediate Recovery. - 您可以從快速復原中排除特定目錄和檔案類型 (副檔名)。 + 您可以從快速復原中排除特定目錄和檔案類型 (或副檔名)。 - + When the Quick Recovery function is invoked, the following folders will be checked for sandboxed content. - 當快速復原功能被執行時,下列資料夾將為沙箱化內容被檢查。 + 當快速復原功能被執行時,下列資料夾將被檢查是否存在沙箱化內容。 - + Advanced Options 進階選項 - + Miscellaneous 雜項 - + Don't alter window class names created by sandboxed programs - 不要改變由沙箱化程式建立的視窗類別名稱 + 不要改變由沙箱化程式建立的視窗 Class 名稱 - + Do not start sandboxed services using a system token (recommended) 不啟動使用系統權杖的沙箱化服務 (建議) - - - - - - - + + + + + + + Protect the sandbox integrity itself 保護沙箱本身的完整性 - + Drop critical privileges from processes running with a SYSTEM token 廢棄以系統權杖執行中的程式的關鍵特權 - - + + (Security Critical) (安全性關鍵) - + Protect sandboxed SYSTEM processes from unprivileged processes 保護沙箱中的系統處理程序免受非特權處理程序的影響 - + Force usage of custom dummy Manifest files (legacy behaviour) 強制使用自訂虛擬 Manifest 檔案 (遺留行為) - + The rule specificity is a measure to how well a given rule matches a particular path, simply put the specificity is the length of characters from the begin of the path up to and including the last matching non-wildcard substring. A rule which matches only file types like "*.tmp" would have the highest specificity as it would always match the entire file path. The process match level has a higher priority than the specificity and describes how a rule applies to a given process. Rules applying by process name or group have the strongest match level, followed by the match by negation (i.e. rules applying to all processes but the given one), while the lowest match levels have global matches, i.e. rules that apply to any process. 規則的明確性是衡量一個給定規則對特定路徑的相符程度,簡單地說,明確性是指從路徑的開始到最後一個相符的非萬用字元子串之間的字元長度。一個只相符「*.tmp」這樣的檔案類型規則將具有最高的明確性,因為它總是符合整個檔案路徑。 處理程序相符級別的優先順序高於明確性,它描述了一條規則如何適用於一個給定的處理程序。按處理程序名稱或組應用的規則具有最高的相符級別,其次是否定式相符 (例如: 適用於相符除給定處理程序以外的所有處理程序的規則),而最低的相符級別是全域符合,即適用於任何處理程序的規則。 - + Prioritize rules based on their Specificity and Process Match Level 基於規則的明確性和處理程序相符級別,對規則進行優先順序排序 - + Privacy Mode, block file and registry access to all locations except the generic system ones 隱私模式,阻止對通用系統目錄之外的所有檔案位置和登錄的存取 - + Access Mode 存取權限模式 - + When the Privacy Mode is enabled, sandboxed processes will be only able to read C:\Windows\*, C:\Program Files\*, and parts of the HKLM registry, all other locations will need explicit access to be readable and/or writable. In this mode, Rule Specificity is always enabled. 當啟用隱私模式時,沙箱化處理程序將只能讀取 C:\Windows\*、C:\Program Files\* 和登錄 HKLM 的部分內容,除此之外的所有其它位置都需要明確的存取授權才能被讀取或寫入。在此模式下,明確性規則將總是被啟用。 - + Rule Policies 規則原則 - + Apply File and Key Open directives only to binaries located outside the sandbox. - 套用檔案和金鑰開放指令權限 (僅對位於沙箱之外的二進位檔)。 + 套用檔案和機碼開放指令權限 (僅對位於沙箱之外的二進位檔)。 - + Start the sandboxed RpcSs as a SYSTEM process (not recommended) - 以系統處理程序啟動沙箱化服務 RpcSs (不推薦) + 以系統處理程序啟動沙箱化 RPC 系統服務 (不推薦) - + Allow only privileged processes to access the Service Control Manager 僅允許已有特權的處理程序存取服務控制管理員 - - + + Compatibility 相容性 - + Add sandboxed processes to job objects (recommended) - 加入沙箱化處理程序至作業物件 (推薦) + 加入沙箱化處理程序至工作物件 (推薦) - + Emulate sandboxed window station for all processes 為所有處理程序模擬沙箱化視窗站台 - + Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it's no longer providing reliable security, just simple application compartmentalization. Security Isolation through the usage of a heavily restricted process token is Sandboxie's primary means of enforcing sandbox restrictions, when this is disabled the box is operated in the application compartment mode, i.e. it’s no longer providing reliable security, just simple application compartmentalization. - 透過嚴格限制處理程序權杖的使用來進行安全性隔離是 Sandboxie 執行沙箱化限制的主要手段,當它被停用時,沙箱將在應用程式區間模式下執行,此時將不再提供可靠的安全性限制,只是簡單進行應用程式隔離。 + 「安全性隔離」透過嚴格限制處理程序權杖的使用來實現,是 Sandboxie 強制執行沙箱限制的首要意義,當其被停用時,沙箱將在應用程式區間模式下執行,此時將不再提供可靠的安全性,只是簡單進行應用程式隔離。 - + Allow sandboxed programs to manage Hardware/Devices - 允許沙箱內程式管理硬體/裝置 + 允許沙箱化程式管理硬體/裝置 Disable Security Isolation (experimental) 停用安全性隔離 (實驗性) - + Open access to Windows Security Account Manager 開放 Windows 安全性帳戶管理員 (SAM) 的存取權限 - + Open access to Windows Local Security Authority 開放 Windows 本機安全性認證 (LSA) 的存取權限 - + Allow to read memory of unsandboxed processes (not recommended) 允許讀取非沙箱處理程序的記憶體 (不推薦) - + Disable the use of RpcMgmtSetComTimeout by default (this may resolve compatibility issues) 預設情況下停用 RpcMgmtSetComTimeout (這可能會解決相容性問題) - + Security Isolation & Filtering 安全性隔離/篩選 - + Disable Security Filtering (not recommended) 停用安全性篩選 (不推薦) - + Security Filtering used by Sandboxie to enforce filesystem and registry access restrictions, as well as to restrict process access. 安全性篩選被 Sandboxie 用來強制執行檔案系統和登錄存取限制,以及限制處理程序存取。 - + The below options can be used safely when you don't grant admin rights. 以下選項可以在您未授予管理員許可時安全的使用。 - + Triggers 觸發器 - + Event 事件 - - - - + + + + Run Command 執行命令 - + Start Service 啟動服務 - + These events are executed each time a box is started 這些事件當沙箱每次啟動時都會被執行 - + On Box Start 沙箱啟動階段 - - + + These commands are run UNBOXED just before the box content is deleted 這些命令將在刪除沙箱的內容之前,以非沙箱化的方式被執行 - + Allow use of nested job objects (works on Windows 8 and later) - 允許使用嵌套作業物件 (job object) (適用於 Windows 8 及更高版本) + 允許使用嵌套工作物件 (適用於 Windows 8 及更高版本) - + These commands are executed only when a box is initialized. To make them run again, the box content must be deleted. 這些命令只在沙箱被初始化時執行。要使它們再次執行,必須刪除沙箱內容。 - + On Box Init 沙箱初始化階段 @@ -8737,12 +8876,12 @@ The process match level has a higher priority than the specificity and describes 此命令在沙箱中所有處理程序完成後執行。 - + On Box Terminate 沙箱終止階段 - + Here you can specify actions to be executed automatically on various box events. 在這裡,您可以設定各種沙箱事件中自動執行特定的動作。 @@ -8751,94 +8890,94 @@ The process match level has a higher priority than the specificity and describes 隱藏處理程序 - + Add Process 加入處理程序 - + Hide host processes from processes running in the sandbox. - 面向沙箱內執行的處理程序隱藏的主機處理程序。 + 對沙箱內執行的處理程序隱藏主機處理程序。 - + Partially checked means prevent box removal but not content deletion. 部分選中意味著防止刪除沙箱,但不阻止刪除內容。 - + Restrictions 限制 - + Various Options 差異性選項 - + Apply ElevateCreateProcess Workaround (legacy behaviour) 套用 ElevateCreateProcess 因應措施 (遺留行為) - + Use desktop object workaround for all processes 對所有處理程序使用桌面物件因應措施 - + When the global hotkey is pressed 3 times in short succession this exception will be ignored. 當全域性快速鍵在短時間連續按下 3 次時,此異常將被忽略。 - + Exclude this sandbox from being terminated when "Terminate All Processes" is invoked. 當呼叫「終止所有處理程序」時,排除此沙箱。 - + These commands are run UNBOXED after all processes in the sandbox have finished. 這些指令將在沙箱內全部處理程序完成後以「未沙箱化」狀態執行。 - + This command will be run before the box content will be deleted - 該命令將在刪除沙箱內容之前執行 + 此命令將在刪除沙箱內容前執行 - + On File Recovery 檔案復原階段 - + This command will be run before a file is being recovered and the file path will be passed as the first argument. If this command returns anything other than 0, the recovery will be blocked This command will be run before a file is being recoverd and the file path will be passed as the first argument, if this command return something other than 0 the recovery will be blocked 該命令將在檔案復原前執行,檔案路徑將作為第一個參數被傳遞,如果該命令的返回值不是 0,則復原將被阻止 - + Run File Checker 執行檔案檢查程式 - + On Delete Content 內容刪除階段 - + Don't allow sandboxed processes to see processes running in other boxes - 不允許沙箱內的處理程序檢視其他沙箱內執行的處理程序 + 不允許沙箱化處理程序檢視其它沙箱內執行的處理程序 - + Protect processes in this box from being accessed by specified unsandboxed host processes. - 保護此沙箱內的處理程序不被指定的沙箱外主機處理程序存取。 + 保護此沙箱內的處理程序不被指定的非沙箱化主機處理程序存取。 - - + + Process 處理程序 @@ -8847,47 +8986,47 @@ The process match level has a higher priority than the specificity and describes 阻止對位於該沙箱中的處理程序的讀取 - + Users 使用者 - + Restrict Resource Access monitor to administrators only 僅允許管理員存取資源存取監控 - + Add User 加入使用者 - + Add user accounts and user groups to the list below to limit use of the sandbox to only those accounts. If the list is empty, the sandbox can be used by all user accounts. Note: Forced Programs and Force Folders settings for a sandbox do not apply to user accounts which cannot use the sandbox. - 加入使用者帳戶和使用者群組到下方清單以限制僅允許這些帳戶可以使用沙箱。如果清單內容為空,所有帳戶均可使用沙箱。 + 加入使用者帳戶和使用者群組至下方清單以限制僅允許這些帳戶可以使用沙箱。如果清單內容為空,所有帳戶均可使用沙箱。 注意: 沙箱的強制沙箱程式及資料夾設定不適用於不能使用沙箱的帳戶。 - + Add Option 加入選項 - + Here you can configure advanced per process options to improve compatibility and/or customize sandboxing behavior. Here you can configure advanced per process options to improve compatibility and/or customize sand boxing behavior. 在此處可以設定各個處理程序的進階選項,以提高相容性或自訂沙箱的某些行為。 - + Option 選項 - + Tracing 追蹤 @@ -8896,22 +9035,22 @@ Note: Forced Programs and Force Folders settings for a sandbox do not apply to API 呼叫追蹤 (需要在沙箱資料夾中安裝 LogAPI) - + Pipe Trace - Pipe 追蹤 + 管道追蹤 - + Log all SetError's to Trace log (creates a lot of output) 記錄所有 SetError 至追蹤日誌 (產生大量輸出) - + Log Debug Output to the Trace Log 紀錄偵錯輸出至追蹤日誌 - + Log all access events as seen by the driver to the resource access log. This options set the event mask to "*" - All access events @@ -8923,7 +9062,7 @@ instead of "*". 將驅動程式看到的所有存取事件記錄到資源存取日誌。 這些選項將事件遮罩設定為 "*" - 所有存取事件 -您可透過 ini 來詳細自訂日誌行為 +您可透過 INI 來詳細自訂日誌行為 "A" - 允許存取 "D" - 拒絕存取 "I" - 忽略存取請求 @@ -8934,228 +9073,228 @@ instead of "*". Ntdll 系統呼叫追蹤 (將產生大量輸出) - + File Trace 檔案追蹤 - + Disable Resource Access Monitor 停用資源存取監控 - + IPC Trace IPC 追蹤 - + GUI Trace GUI 追蹤 - + Resource Access Monitor 資源存取監控 - + Access Tracing 存取追蹤 - + COM Class Trace - COM 類別追蹤 + COM Class 追蹤 - + Key Trace 機碼追蹤 - + To compensate for the lost protection, please consult the Drop Rights settings page in the Restrictions settings group. 為了彌補失去的保護,請參考「限制」設定組中的「廢棄許可」部分。 - - + + Network Firewall 區域網路防火牆 - + Privacy 隱私 - + Hide Firmware Information Hide Firmware Informations - 隱藏固件信息 + 隱藏韌體資訊 - + Some programs read system details through WMI (a Windows built-in database) instead of normal ways. For example, "tasklist.exe" could get full processes list through accessing WMI, even if "HideOtherBoxes" is used. Enable this option to stop this behaviour. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these behaviour. - 一些程序通過WMI(Windows內置數據庫)而不是常規方式讀取系統細節信息。例如,即使通過訪問WMI打開「HideOtherBoxs」,「tasklist.exe」也可以獲得完整的進程列表。啟用此選項可阻止這些行為。 + 某些程式透過 WMI (一個內建的 Windows 資料庫) 存取作業系統詳細資訊,而不是使用通常方法。例如,「tasklist.exe」可以透過 WMI 取得完整的處理程序清單,即便使用了「隱藏其它沙箱」。啟用此選項可以停止此行為。 - + Prevent sandboxed processes from accessing system details through WMI (see tooltip for more info) Prevent sandboxed processes from accessing system deatils through WMI (see tooltip for more Info) - 防止沙盒進程通過WMI訪問系統細節信息(有關更多信息,請參閱工具提示) + 防止沙箱處理程序透過 WMI 存取作業系統內容資訊 (詳情請參照工具提示) - + Process Hiding - 進程隱藏 + 處理程序隱藏 - + Use a custom Locale/LangID - 使用自定義區域設置/語言ID + 使用自訂區域/語言 ID - + Data Protection - 數據保護 + 資料保護 - + Dump the current Firmware Tables to HKCU\System\SbieCustom Dump the current Firmare Tables to HKCU\System\SbieCustom - 將當前固件表轉儲到HKCU\System\SbieCustom - - - - Dump FW Tables - 轉儲固件表 - - - - Hide Disk Serial Number - 隱藏硬盤序列號 - - - - Obfuscate known unique identifiers in the registry - 混淆註冊表中已知的唯一標識符 + 將目前韌體資料表傾印至 HKCU\System\SbieCustom - Hide Network Adapter MAC Address - + Dump FW Tables + 傾印韌體資料表 - + + Hide Disk Serial Number + 隱藏磁碟序號 + + + + Obfuscate known unique identifiers in the registry + 混淆登錄中已知的唯一標識字元 + + + + Hide Network Adapter MAC Address + 隱藏網路介面卡 MAC 位址 + + + API call Trace (traces all SBIE hooks) API 呼叫追蹤 (追蹤全部 SBIE 勾點) - + Debug 偵錯 - + WARNING, these options can disable core security guarantees and break sandbox security!!! 警告,這些選項可使核心安全性保障失效並且破壞沙箱安全性! - + These options are intended for debugging compatibility issues, please do not use them in production use. 這些選項是為偵錯相容性問題設計的,請勿用於生產力用途。 - + App Templates 軟體範本 - + Filter Categories - 篩選類別 + 篩選分類 - + Text Filter - 篩選文字 + 文字篩選器 - + Add Template 加入範本 - + This list contains a large amount of sandbox compatibility enhancing templates 此清單含有大量的相容性增強範本 - + Category 類別 - + Template Folders 範本資料夾 - + Configure the folder locations used by your other applications. Please note that this values are currently user specific and saved globally for all boxes. - 設定您的其他應用程式所使用的資料夾位置。 + 設定您的其它應用程式所使用的資料夾位置。 請注意,這些值為目前使用者針對所有沙箱儲存。 - - + + Value - + Limit restrictions - 上限限制 + 取用限制 Leave it blank to disable the setting(Unit:KB) 留空以停用設定 (單位: KB) - - - + + + Leave it blank to disable the setting 留空以停用設定 - + Total Processes Number Limit: 總計處理程序數量限制: - + Total Processes Memory Limit: 總計處理程序記憶體限制: - + Single Process Memory Limit: 單一處理程序記憶體限制: - + Restart force process before they begin to execute - 在開始執行之前重新啟動強製進程 + 在開始執行之前重新啟動強制處理程序 - + Don't allow sandboxed processes to see processes running outside any boxes 不允許沙箱化處理程序發現在任何沙箱外執行的處理程序 @@ -9167,60 +9306,60 @@ Please note that this values are currently user specific and saved globally for Some programs retrieve system details via WMI (Windows Management Instrumentation), a built-in Windows database, rather than using conventional methods. For instance, 'tasklist.exe' can access a complete list of processes even if 'HideOtherBoxes' is enabled. Enable this option to prevent such behavior. Some programs read system deatils through WMI(A Windows built-in database) instead of normal ways. For example,"tasklist.exe" could get full processes list even if "HideOtherBoxes" is opened through accessing WMI. Enable this option to stop these heavior. - 某些程式透過 WMI (Windows 管理規範),一個內建的 Windows 資料庫,檢索作業系統詳細資訊,而不是使用通常方法。例如,即使啟用了「HideOtherBoxes」(隱藏其他沙箱),「tasklist.exe」也可以存取完整的處理程序清單。啟用此選項可以防止此類行為。 + 某些程式透過 WMI (Windows 管理規範),一個內建的 Windows 資料庫,檢索作業系統詳細資訊,而不是使用通常方法。例如,即使啟用了「HideOtherBoxes」(隱藏其它沙箱),「tasklist.exe」也可以存取完整的處理程序清單。啟用此選項可以防止此類行為。 - + DNS Request Logging DNS 請求日誌紀錄 - + Syscall Trace (creates a lot of output) - Syscall 追蹤 (建立大量輸出) + 系統呼叫追蹤 (建立大量輸出) - + Templates 範本 - + Open Template 開啟範本 - + Accessibility 協助工具 - + Screen Readers: JAWS, NVDA, Window-Eyes, System Access 螢幕閱讀器: JAWS、NVDA、Window-Eyes、系統協助工具 - + The following settings enable the use of Sandboxie in combination with accessibility software. Please note that some measure of Sandboxie protection is necessarily lost when these settings are in effect. 以下設定允許 Sandboxie 與協助工具軟體結合。請注意當這些設定生效時,必然會失去部分 Sandboxie 保護措施。 - + Edit ini Section - 編輯 ini 區段 + 編輯 INI 區段 - + Edit ini - 編輯 ini + 編輯 INI - + Cancel 取消 - + Save 儲存 @@ -9236,7 +9375,7 @@ Please note that this values are currently user specific and saved globally for ProgramsDelegate - + Group: %1 群組: %1 @@ -9244,35 +9383,35 @@ Please note that this values are currently user specific and saved globally for QObject - + Drive %1 - 磁碟 %1 + 磁碟機 %1 QPlatformTheme - + OK 確定 - + Apply 套用 - + Cancel 取消 - + &Yes 是(&Y) - + &No 否(&N) @@ -9285,7 +9424,7 @@ Please note that this values are currently user specific and saved globally for SandboxiePlus - 復原 - + Close 關閉 @@ -9305,27 +9444,27 @@ Please note that this values are currently user specific and saved globally for 刪除內容 - + Recover 復原 - + Refresh 重新整理 - + Delete 刪除 - + Show All Files 顯示所有檔案 - + TextLabel 文字標籤 @@ -9391,18 +9530,18 @@ Please note that this values are currently user specific and saved globally for 一般組態 - + Show file recovery window when emptying sandboxes Show first recovery window when emptying sandboxes 在清空沙箱時顯示復原視窗 - + Open urls from this ui sandboxed 將此使用者介面上的連結在沙箱中開啟 - + Systray options 系統匣選項 @@ -9412,159 +9551,159 @@ Please note that this values are currently user specific and saved globally for 使用者介面語言: - + Shell Integration 系統殼層整合 - + Run Sandboxed - Actions - 在沙箱中執行 - 選項 + 在沙箱中執行 - 動作 - + Start Sandbox Manager 沙箱管理員啟動選項 - + Start UI when a sandboxed process is started 當有沙箱化處理程序啟動時啟動使用者介面 - + Start UI with Windows Windows 啟動時開啟使用者介面 - + Add 'Run Sandboxed' to the explorer context menu - 在檔案總管右鍵新增「在沙箱中執行」 + 加入「在沙箱中執行」至檔案總管上下文選單 - + Run box operations asynchronously whenever possible (like content deletion) 盡可能以異步方式執行沙箱的各類操作 (如內容刪除) - + Hotkey for terminating all boxed processes: 用於終止所有沙箱處理程式的快速鍵: - + Show boxes in tray list: 顯示沙箱清單: - + Always use DefaultBox 總是使用 DefaultBox - + Add 'Run Un-Sandboxed' to the context menu - 加入「在沙箱外執行」到右鍵選單 + 加入「在沙箱外執行」至上下文選單 - + Show a tray notification when automatic box operations are started 當沙箱自動化作業事件開始執行時,跳出系統匣通知 - + * a partially checked checkbox will leave the behavior to be determined by the view mode. - * 部分核取的項目核取方塊之行為取決於其檢視模式。 + * 部分選中的核取方塊之行為取決於其檢視模式。 - + Advanced Config 進階組態 - + Activate Kernel Mode Object Filtering 啟動核心模式物件篩選 - + Sandbox <a href="sbie://docs/filerootpath">file system root</a>: 沙箱 <a href="sbie://docs/filerootpath">檔案系統根目錄</a>: - + Clear password when main window becomes hidden 主視窗隱藏時清除密碼 - + Sandbox <a href="sbie://docs/ipcrootpath">ipc root</a>: 沙箱 <a href="sbie://docs/ipcrootpath">IPC 根目錄</a>: - + Sandbox default 沙箱預設 - + Config protection 組態保護 - + ... ... SandMan Options - SandMan 選項 + 沙箱管理員選項 - + Notifications 通知 - + Add Entry 加入條目 - + Show file migration progress when copying large files into a sandbox 將大型檔案複製到沙箱內部時顯示檔案遷移進度 - + Message ID 訊息 ID - + Message Text (optional) 訊息文字 (可選) - + SBIE Messages SBIE 訊息 - + Delete Entry 刪除條目 - + Notification Options 通知選項 Sandboxie may be issue <a href= "sbie://docs/ sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases, special event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: - Sandboxie 可能會將 <a href="sbie://docs/sbiemessages">SBIE 訊息</a>記錄到訊息日誌中,並以跳出視窗的形式通知。有些訊息僅僅是資訊性的,通知一個普通的或某些特殊的事件發生,其它訊息表明一個錯誤狀況。<br />您可以使用此清單來隱藏所設定的「SBIE 訊息」,使其不會跳出: + Sandboxie 可能會將 <a href="sbie://docs/sbiemessages">SBIE 訊息</a>記錄到訊息日誌中,並以跳出視窗的形式通知。有些訊息僅僅是資訊性的,通知一個普通的或某些特殊的事件發生,其它訊息將標明錯誤狀況。<br />您可以使用此清單來隱藏所設定的「SBIE 訊息」,使其不會跳出: Disable SBIE messages popups (SBIE will still be logged to the log tab) @@ -9572,7 +9711,7 @@ Please note that this values are currently user specific and saved globally for 停用 SBIE 訊息通知 (SBIE 仍然會被記錄到訊息頁籤中) - + Windows Shell Windows 殼層 @@ -9581,318 +9720,318 @@ Please note that this values are currently user specific and saved globally for 圖示 - + Move Up 向上移 - + Move Down 向下移 - + Show overlay icons for boxes and processes 為沙箱與處理程序顯示覆蓋圖示 - + Hide Sandboxie's own processes from the task list Hide sandboxie's own processes from the task list 對工作清單隱藏 Sandboxie 的處理程序 - - + + Interface Options Display Options 介面選項 - + Ini Editor Font INI 編輯器字型 - + Graphic Options 圖形選項 - + Hotkey for bringing sandman to the top: 用於置頂 Sandboxie 管理員視窗的快速鍵: - + Hotkey for suspending process/folder forcing: 用於暫停 強制處理程序/資料夾 的快速鍵: - + Hotkey for suspending all processes: Hotkey for suspending all process 用於暫停全部處理程序的快速鍵: - + Check sandboxes' auto-delete status when Sandman starts 當 Sandboxie 管理員啟動時檢查沙箱的自動刪除狀態 - + Integrate with Host Desktop 與主機桌面整合 - + Add 'Set Force in Sandbox' to the context menu Add ‘Set Force in Sandbox' to the context menu - + 加入「設定強制沙箱化」至上下文選單 - + Add 'Set Open Path in Sandbox' to context menu - + 加入「設定在沙箱中開啟路徑」至上下文選單 - + System Tray 系統匣 - + On main window close: 當主視窗關閉時: - + Open/Close from/to tray with a single click 一鍵開啟/關閉自/至系統匣 - + Minimize to tray 最小化至系統匣 - + Select font 選取字型 - + Reset font 重設字型 - + Ini Options - Ini 選項 + INI 選項 - + # # - + Terminate all boxed processes when Sandman exits - + 當沙箱管理員退出時終止全部沙箱化處理程序 - + External Ini Editor - 外部 Ini 編輯器 + 外部 INI 編輯器 - + Hide SandMan windows from screen capture (UI restart required) 於螢幕擷取中隱藏 Sandboxie 管理員視窗 (需要重新啟動 UI) - + Add-Ons Manager 附加元件管理員 - + Optional Add-Ons 可選附加元件 - + Sandboxie-Plus offers numerous options and supports a wide range of extensions. On this page, you can configure the integration of add-ons, plugins, and other third-party components. Optional components can be downloaded from the web, and certain installations may require administrative privileges. - Sandboxie-Plus 提供眾多選項並支援大量擴充套件。在此頁面上,您可以設定附加元件、擴充套件和其他第三方組件的整合。可選組件可以從網際網路下載,某些安裝可能需要管理人員權限。 + Sandboxie-Plus 提供眾多選項並支援大量擴充套件。在此頁面上,您可以設定附加元件、擴充套件和其它第三方組件的整合。可選組件可以從網際網路下載,某些安裝可能需要管理人員權限。 - + Status 狀態 - + Version 版本 - + Description 說明 - + <a href="sbie://addons">update add-on list now</a> <a href="sbie://addons">立即更新附加元件清單</a> - + Install 安裝 - + Add-On Configuration 附加元件組態 - + Enable Ram Disk creation - 開啟 Ram 磁碟之建立 + 啟用 RAM 磁碟之建立 - + kilobytes KB - + Assign drive letter to Ram Disk - 為 Ram 磁碟分配磁碟機序號 + 為 RAM 磁碟分配磁碟機序號 - + Disk Image Support 磁碟映像支援 - + RAM Limit RAM 限制 - + <a href="addon://ImDisk">Install ImDisk</a> driver to enable Ram Disk and Disk Image support. - <a href="addon://ImDisk">安裝 ImDisk</a> 驅動程式以啟用 Ram 磁碟和磁碟映像支援。 + <a href="addon://ImDisk">安裝 ImDisk</a> 驅動程式以啟用 RAM 磁碟和磁碟映像支援。 - + When a Ram Disk is already mounted you need to unmount it for this option to take effect. - 當 Ram Disk 已裝載時,需要將其卸載才能使此選項生效。 + 當 RAM 磁碟已裝載時,需要將其卸載才能使此選項生效。 - + * takes effect on disk creation * 磁碟建立時生效 - + Sandboxie Support Sandboxie 贊助 - + This supporter certificate has expired, please <a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">get an updated certificate</a>. 此贊助者憑證已逾期,請<a href="https://sandboxie-plus.com/go.php?to=sbie-renew-cert">取得更新的憑證</a>。 - + Supporters of the Sandboxie-Plus project can receive a <a href="https://sandboxie-plus.com/go.php?to=sbie-cert">supporter certificate</a>. It's like a license key but for awesome people using open source software. :-) Sandboxie-Plus 專案的贊助者將收到<a href="https://sandboxie-plus.com/go.php?to=sbie-cert">贊助者憑證</a>。這類似於授權碼,但是是為擁抱開放原始碼軟體的優秀人士準備的。:-) - + Get 取得 - + Retrieve/Upgrade/Renew certificate using Serial Number 使用序號取得/升級/續期憑證 - + Keeping Sandboxie up to date with the rolling releases of Windows and compatible with all web browsers is a never-ending endeavor. You can support the development by <a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">directly contributing to the project</a>, showing your support by <a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">purchasing a supporter certificate</a>, becoming a patron by <a href="https://sandboxie-plus.com/go.php?to=patreon">subscribing on Patreon</a>, or through a <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal donation</a>.<br />Your support plays a vital role in the advancement and maintenance of Sandboxie. 使 Sandboxie 與 Windows 的持續性更新相同步,並和主流網頁瀏覽器保持相容性,是一項永無止境的努力。您可以透過<a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">直接參與專案</a>來支援開發、透過<a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">購買贊助者憑證</a>來表達您的支持、透過<a href="https://sandboxie-plus.com/go.php?to=patreon">在 Patreon 上訂閱</a>成為贊助者、或者透過 <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal 捐款</a>。<br />您的支持對 Sandboxie 的進步和維護至關重要。 - + SBIE_-_____-_____-_____-_____ SBIE_-_____-_____-_____-_____ - + <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">Certificate usage guide</a> <a href="https://sandboxie-plus.com/go.php?to=sbie-use-cert">憑證使用指南</a> - + Sandbox <a href="sbie://docs/keyrootpath">registry root</a>: 沙箱 <a href="sbie://docs/keyrootpath">登錄根目錄</a>: - + Sandboxing features 沙箱功能 - + Sandboxie.ini Presets Sandboxie.ini 預設選項 - + Change Password 變更密碼 - + Password must be entered in order to make changes 必須輸入密碼以進行變更 - + Only Administrator user accounts can make changes 僅限管理員帳戶進行變更 - + Watch Sandboxie.ini for changes 追蹤 Sandboxie.ini 變更 - + App Templates 軟體範本 - + App Compatibility 軟體相容性 - + Only Administrator user accounts can use Pause Forcing Programs command Only Administrator user accounts can use Pause Forced Programs Rules command 僅管理員帳戶可使用「暫停強制沙箱程式」命令 - + Portable root folder - 便攜化根目錄 + 便攜化根資料夾 - + Show recoverable files as notifications 將可復原的檔案以通知形式顯示 @@ -9902,99 +10041,99 @@ Please note that this values are currently user specific and saved globally for 一般選項 - + Show Icon in Systray: 在系統匣中顯示圖示: - + Use Windows Filtering Platform to restrict network access 使用 Windows 篩選平台 (WFP) 限制區域網路存取 - + Hook selected Win32k system calls to enable GPU acceleration (experimental) 為選取的 Win32k 系統呼叫進行勾點以啟用 GPU 加速 (實驗性) - + Count and display the disk space occupied by each sandbox Count and display the disk space ocupied by each sandbox 統計並顯示每個沙箱的磁碟空間佔用情況 - + Use Compact Box List 使用緊湊的沙箱清單 - + Interface Config 介面組態 - + Make Box Icons match the Border Color - 保持沙箱內的圖示與邊框顏色一致 + 使沙箱圖示與邊框顏色一致 - + Use a Page Tree in the Box Options instead of Nested Tabs * 在沙箱選項中使用樹狀頁面,而不是巢式頁籤 * - + Use large icons in box list * 在沙箱清單中使用大圖示 * - + High DPI Scaling 高 DPI 縮放 - + Don't show icons in menus * 不要在選單中顯示圖示 * - + Use Dark Theme 使用深色主題 - + Font Scaling 字型縮放 - + (Restart required) (需要重新啟動) - + Show the Recovery Window as Always on Top 最上層顯示復原檔案視窗 - + Show "Pizza" Background in box list * Show "Pizza" Background in box list* 在沙箱清單中顯示「披薩」背景 * - + % % - + Alternate row background in lists - 在沙箱清單中使用替代背景 + 在清單中使用替代單列背景 - + Use Fusion Theme 使用 Fusion 風格主題 @@ -10003,159 +10142,159 @@ Please note that this values are currently user specific and saved globally for 使用 Sandboxie 登入程序替代匿名權杖 (實驗性) - - - - - + + + + + Name 名稱 - + Path 路徑 - + Remove Program 移除程式 - + Add Program 加入程式 - + When any of the following programs is launched outside any sandbox, Sandboxie will issue message SBIE1301. 當下列程式在任意沙箱之外啟動時,Sandboxie 將提示錯誤代碼 SBIE1301。 - + Add Folder 加入資料夾 - + Prevent the listed programs from starting on this system 阻止下列程式在此系統中啟動 - + Issue message 1308 when a program fails to start 當程式啟動失敗時提示錯誤代碼 1308 - + Recovery Options 復原選項 - + Sandboxie may be issue <a href="sbie://docs/sbiemessages">SBIE Messages</a> to the Message Log and shown them as Popups. Some messages are informational and notify of a common, or in some cases special, event that has occurred, other messages indicate an error condition.<br />You can hide selected SBIE messages from being popped up, using the below list: Sandboxie 也許會在訊息日誌中提示 <a href="sbie://docs/sbiemessages">SBIE 訊息</a>並將其展示為跳出視窗。某些訊息是資訊型的,提示普通的 (某些情況下是特殊的) 事件的發生,其它訊息則標示了錯誤狀況。<br />你可以隱藏選定的 SBIE 訊息以阻止其跳出,要如此操作請使用下方清單: - + Disable SBIE messages popups (they will still be logged to the Messages tab) - 禁用 SBIE 訊息跳出視窗 (仍將被記錄到訊息頁籤) + 禁用 SBIE 訊息跳出視窗 (仍將被記錄至訊息頁籤) - + Start Menu Integration 開始選單整合 - + Scan shell folders and offer links in run menu - 掃描系統 Shell 資料夾並在執行選單中整合捷徑 + 掃描殼層資料夾並在快速執行選單提供連結 - + Integrate with Host Start Menu 與主機的開始功能表整合 - + Use new config dialog layout * 使用新的組態對話框佈局 * - + HwId: 00000000-0000-0000-0000-000000000000 - + HwId: 00000000-0000-0000-0000-000000000000 - + Cert Info - + 憑證資訊 - + Program Control 應用程式控制 - + Program Alerts 程式警報 - + Issue message 1301 when forced processes has been disabled 當強制沙箱處理程序被停用時,提示錯誤代碼 1301 - + Sandboxie Config Config Protection Sandboxie 組態 - + This option also enables asynchronous operation when needed and suspends updates. 在暫緩更新或其它需要的情況使用異步操作。 - + Suppress pop-up notifications when in game / presentation mode 在「遊戲 / 簡報」模式下,停用跳出通知 - + User Interface 使用者介面 - + Run Menu 執行選單 - + Add program 加入程式 - + You can configure custom entries for all sandboxes run menus. 您可以為所有「在沙箱內執行」選單設定自訂條目組態。 - - - + + + Remove 移除 - + Command Line 命令列 - + Support && Updates 支援 && 更新 @@ -10164,174 +10303,184 @@ Please note that this values are currently user specific and saved globally for 使 Sandboxie 與 Windows 的持續性更新相同步,並和主流網頁瀏覽器保持相容性,是一項永無止境的努力。您可以透過<a href="https://sandboxie-plus.com/go.php?to=sbie-contribute">直接參與專案</a>來支援開發、透過<a href="https://sandboxie-plus.com/go.php?to=sbie-obtain-cert">購買贊助者憑證</a>來表達您的支持、透過<a href="https://sandboxie-plus.com/go.php?to=patreon">在 Patreon 上訂閱</a>成為贊助者、或者透過 <a href="https://sandboxie-plus.com/go.php?to=donate">PayPal 捐款</a>。<br />您的支持對 Sandboxie 的進步和維護至關重要。 - + Sandboxie Updater Sandboxie 更新程式 - + Keep add-on list up to date 保持附加元件清單為最新 - + Update Settings 更新設定 - + The Insider channel offers early access to new features and bugfixes that will eventually be released to the public, as well as all relevant improvements from the stable channel. Unlike the preview channel, it does not include untested, potentially breaking, or experimental changes that may not be ready for wider use. Insider 通道提供對「最終將公開發表的新功能和錯誤修復」的早期存取,以及包含穩定通道的所有相關改進。 與預覽通道不同,它不包含未經測試、可能會破壞或可能尚未準備好供更廣泛使用的實驗性變更。 - + Search in the Insider channel 在測試人員通道中搜尋 - + New full installers from the selected release channel. - 來自所選發行管道的全新完整安裝程式。 + 來自所選發行通道的全新完整安裝程式。 - + Full Upgrades 完整升級 - + Check periodically for new Sandboxie-Plus versions 定期檢查新的 Sandboxie-Plus 版本 - + More about the <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">Insider Channel</a> 了解更多關於 <a href="https://sandboxie-plus.com/go.php?to=sbie-insider">測試人員通道</a> - + Keep Troubleshooting scripts up to date 保持疑難排解腳本為最新 - + Update Check Interval 更新檢查間隔 - + Default sandbox: 預設沙箱: - + Use a Sandboxie login instead of an anonymous token 使用 Sandboxie 登入程序替代匿名權杖 - + Add "Sandboxie\All Sandboxes" group to the sandboxed token (experimental) 將「Sandboxie\All Sandboxes (全部沙箱)」群組新增至沙箱化權杖 (實驗性) - - Always run SandMan UI as Admin - + + This feature protects the sandbox by restricting access, preventing other users from accessing the folder. Ensure the root folder path contains the %USER% macro so that each user gets a dedicated sandbox folder. + 此功能透過存取限制保護沙箱,阻止其他使用者存取資料夾。保證根資料夾路徑包含 %USER% 巨集,以確保每個使用者取得其專用的沙箱資料夾。 - + + Restrict box root folder access to the the user whom created that sandbox + 限制僅建立沙箱的使用者可存取對應沙箱的根資料夾 + + + + Always run SandMan UI as Admin + 總是以管理員權限執行沙箱管理員 UI + + + USB Drive Sandboxing USB 裝置沙箱化 - + Volume 磁碟區 - + Information 資訊 - + Sandbox for USB drives: USB 裝置沙箱: - + Automatically sandbox all attached USB drives 自動將所有加入的 USB 裝置沙箱化 - + In the future, don't check software compatibility 以後不再檢查軟體相容性 - + Enable 啟用 - + Disable 停用 - + Sandboxie has detected the following software applications in your system. Click OK to apply configuration settings, which will improve compatibility with these applications. These configuration settings will have effect in all existing sandboxes and in any new sandboxes. Sandboxie 偵測到您的系統中安裝了以下軟體。按下「確定」套用設定,將改進與這些軟體的相容性。這些設定作用於所有沙箱,包括現存的和未來新增的沙箱。 - + Local Templates 本機範本 - + Add Template 加入範本 - + Text Filter - 篩選文字 + 文字篩選器 - + This list contains user created custom templates for sandbox options 該清單包含使用者為沙箱選項建立的自訂範本 - + Open Template 開啟範本 - + Edit ini Section - 編輯 ini 區段 + 編輯 INI 區段 - + Save 儲存 - + Edit ini - 編輯 ini + 編輯 INI - + Cancel 取消 - + Incremental Updates Version Updates 增量升級 @@ -10341,7 +10490,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, 新的來自所選取發佈通道的完整版本。 - + Hotpatches for the installed version, updates to the Templates.ini and translations. 更新已安裝版本的 Templates.ini 範本和翻譯的修補程式。 @@ -10350,7 +10499,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, 此贊助者憑證已逾期,請<a href="sbie://update/cert">取得新憑證</a>。 - + The preview channel contains the latest GitHub pre-releases. 預覽通道包含最新的 GitHub 預先發佈版本。 @@ -10359,27 +10508,27 @@ Unlike the preview channel, it does not include untested, potentially breaking, 新版本 - + The stable channel contains the latest stable GitHub releases. 穩定通道包含最新的 GitHub 穩定版本。 - + Search in the Stable channel 在穩定通道中搜尋 - + Search in the Preview channel 在預覽通道中搜尋 - + In the future, don't notify about certificate expiration - 不再通知憑證逾期的情況 + 不再通知憑證逾期情況 - + Enter the support certificate here 在此輸入贊助者憑證 @@ -10410,37 +10559,37 @@ Unlike the preview channel, it does not include untested, potentially breaking, 名稱: - + Description: 說明: - + When deleting a snapshot content, it will be returned to this snapshot instead of none. 刪除快照內容時,將退回至此快照時的狀態,而不是無動作。 - + Default snapshot 預設快照 - + Snapshot Actions 快照操作 - + Remove Snapshot 移除快照 - + Go to Snapshot 進入快照 - + Take Snapshot 擷取快照 @@ -10450,12 +10599,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Test Proxy - 測試代理 + 測試 Proxy Test Settings... - 測試設置中... + 測試設定中... @@ -10465,12 +10614,12 @@ Unlike the preview channel, it does not include untested, potentially breaking, Proxy Server - 代理伺服器 + Proxy 伺服器 Address: - 地址: + 位址: @@ -10500,7 +10649,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Login: - 登陸: + 登入: @@ -10510,7 +10659,7 @@ Unlike the preview channel, it does not include untested, potentially breaking, Timeout (secs): - 超時值 (以秒為單位): + 逾時 (以秒為單位): @@ -10520,19 +10669,19 @@ Unlike the preview channel, it does not include untested, potentially breaking, Test 1: Connection to the Proxy Server - 測試 1:連接到代理伺服器 + 測試 1:連線至 Proxy 伺服器 Enable this test - 啟用這個測試 + 啟用此測試 Test 2: Connection through the Proxy Server - 測試2: 通過代理伺服器連接 + 測試2: 透過 Proxy 伺服器連線 @@ -10557,22 +10706,22 @@ Unlike the preview channel, it does not include untested, potentially breaking, Load a default web page from the host. (There must be a web server running on the host) - 從主機載入一個默認網路頁面。(必須有一個Web伺服器運行在主機上) + 從主機載入一個預設網頁。 (必須已有一個 Web 伺服器在主機上運作) Test 3: Proxy Server latency - 測試 3 :代理伺服器延遲 + 測試 3 : Proxy 伺服器延遲 Ping count: - Ping 數: + Ping 計數: Increase ping count to improve the accuracy of the average latency calculation. More pings help to ensure that the average is representative of typical network conditions. - 增加 ping 計數以提高平均延遲計算的準確性。更多 ping 有助於確保平均值代表典型的網路條件。 + 增加 ping 計數以提高平均延遲計算的準確性。更多 ping 有助於確保平均值代表典型的網路狀況。 diff --git a/SandboxiePlus/install_qt.cmd b/SandboxiePlus/install_qt.cmd index 993ea4e5..1cfc18f8 100644 --- a/SandboxiePlus/install_qt.cmd +++ b/SandboxiePlus/install_qt.cmd @@ -1,10 +1,10 @@ echo %* -IF "%~7" == "" ( set "ghQtBuilds_hash_x64=30290d82a02bfaa24c1bf37bcb9c074aba18a673a7176628fccdf71197cee898" ) ELSE ( set "ghQtBuilds_hash_x64=%~7" ) -IF "%~6" == "" ( set "ghQtBuilds_hash_x86=bf4124046cc50ccbbeb3f786c041e884fd4205cd6e616070a75c850105cbf1db" ) ELSE ( set "ghQtBuilds_hash_x86=%~6" ) +IF "%~7" == "" ( set "ghQtBuilds_hash_x64=bae6773292ad187aad946854766344c4bd24245359404636b3a1b13d9ae6a97e" ) ELSE ( set "ghQtBuilds_hash_x64=%~7" ) +IF "%~6" == "" ( set "ghQtBuilds_hash_x86=0dc0048be815eeaa76bcdd2d02e7028d21cc75fd7f4fb65445d3adf37b4a75bb" ) ELSE ( set "ghQtBuilds_hash_x86=%~6" ) IF "%~5" == "" ( set "ghQtBuilds_repo=qt-builds" ) ELSE ( set "ghQtBuilds_repo=%~5" ) IF "%~4" == "" ( set "ghQtBuilds_user=xanasoft" ) ELSE ( set "ghQtBuilds_user=%~4" ) IF "%~3" == "" ( set "qt6_version=6.3.1" ) ELSE ( set "qt6_version=%~3" ) -IF "%~2" == "" ( set "qt_version=5.15.14" ) ELSE ( set "qt_version=%~2" ) +IF "%~2" == "" ( set "qt_version=5.15.15" ) ELSE ( set "qt_version=%~2" ) if %1 == Win32 ( if exist %~dp0..\..\Qt\%qt_version%\msvc2019\bin\qmake.exe goto done diff --git a/SandboxiePlus/qmake_plus.cmd b/SandboxiePlus/qmake_plus.cmd index bf7ca547..5b767a19 100644 --- a/SandboxiePlus/qmake_plus.cmd +++ b/SandboxiePlus/qmake_plus.cmd @@ -7,7 +7,7 @@ REM echo qt6_version: %3 echo %* IF "%~3" == "" ( set "qt6_version=6.3.1" ) ELSE ( set "qt6_version=%~3" ) -IF "%~2" == "" ( set "qt_version=5.15.14" ) ELSE ( set "qt_version=%~2" ) +IF "%~2" == "" ( set "qt_version=5.15.15" ) ELSE ( set "qt_version=%~2" ) IF %1 == Win32 ( set qt_path=%~dp0..\..\Qt\%qt_version%\msvc2019 diff --git a/SandboxiePlus/version.h b/SandboxiePlus/version.h index 8eb585de..e84b3071 100644 --- a/SandboxiePlus/version.h +++ b/SandboxiePlus/version.h @@ -1,8 +1,8 @@ #pragma once #define VERSION_MJR 1 -#define VERSION_MIN 14 -#define VERSION_REV 7 +#define VERSION_MIN 15 +#define VERSION_REV 1 #define VERSION_UPD 0 #ifndef STR diff --git a/SandboxieTools/UpdUtil/UpdUtil.cpp b/SandboxieTools/UpdUtil/UpdUtil.cpp index a1131985..0ac291c1 100644 --- a/SandboxieTools/UpdUtil/UpdUtil.cpp +++ b/SandboxieTools/UpdUtil/UpdUtil.cpp @@ -822,7 +822,7 @@ std::shared_ptr ReadAddon(const JSONObject& addon, const std::wstring& c pAddon->InstallPath = GetSpecificEntryValue(addon, L"installPath", core_arch, agent_arch, framework); pAddon->Installer = GetSpecificEntryValue(addon, L"installer", core_arch, agent_arch, framework); - pAddon->UninstallKey = GetSpecificEntryValue(addon, L"uninstallPey", core_arch, agent_arch, framework); + pAddon->UninstallKey = GetSpecificEntryValue(addon, L"uninstallKey", core_arch, agent_arch, framework); for (auto I = addon.begin(); I != addon.end(); ++I) { if (I->first.find(L'-') != std::wstring::npos) @@ -1804,4 +1804,4 @@ bool GetDriverInfo(DWORD InfoClass, void* pBuffer, size_t Size) return false; } return true; -} \ No newline at end of file +} diff --git a/TRANSLATING.md b/TRANSLATING.md index b9140f62..9440a519 100644 --- a/TRANSLATING.md +++ b/TRANSLATING.md @@ -21,7 +21,7 @@ To achieve this goal, Sandboxie has established a translation program that enabl |Farsi|Yes|No|No| |Finnish|Yes|No|No| |French|Yes - Sep 11, 2023|Yes - Jun 20, 2024|No| -|German|Yes - May 21, 2024|Yes - Aug 29, 2024|Yes - Jun 25, 2024| +|German|Yes - May 21, 2024|Yes - Oct 23, 2024|Yes - Jun 25, 2024| |Greek|Yes|No|No| |Hebrew|Yes|No|No| |Hungarian|Yes|Yes - Mar 30, 2023|No| @@ -39,6 +39,6 @@ To achieve this goal, Sandboxie has established a translation program that enabl |Spanish|Yes|Yes - Jun 17, 2024|Yes - Jan 5, 2024| |Swedish|Yes - Aug 10, 2022|Yes - Apr 25, 2024|Yes - Jun 17, 2024| |TradChinese|Yes - Sep 21, 2022|Yes - Apr 22, 2024|No| -|Turkish|Yes - Jun 9, 2024|Yes - Jun 19, 2024|Yes - Jun 19, 2024| +|Turkish|Yes - Jun 9, 2024|Yes - Sep 10, 2024|Yes - Jun 19, 2024| |Ukrainian|Yes - Jul 26, 2022|Yes - Jul 26, 2022|No| |Vietnamese|No|Yes - Nov 7, 2022|No|